Last updated: 2025-01-29

Checks: 7 0

Knit directory: slr_taxonomies_workflowr/

This reproducible R Markdown analysis was created with workflowr (version 1.7.1). The Checks tab describes the reproducibility checks that were applied when the results were created. The Past versions tab lists the development history.


Great! Since the R Markdown file has been committed to the Git repository, you know the exact version of the code that produced these results.

Great job! The global environment was empty. Objects defined in the global environment can affect the analysis in your R Markdown file in unknown ways. For reproduciblity it’s best to always run the code in an empty environment.

The command set.seed(20250128) was run prior to running the code in the R Markdown file. Setting a seed ensures that any results that rely on randomness, e.g. subsampling or permutations, are reproducible.

Great job! Recording the operating system, R version, and package versions is critical for reproducibility.

Nice! There were no cached chunks for this analysis, so you can be confident that you successfully produced the results during this run.

Great job! Using relative paths to the files within your workflowr project makes it easier to run your code on other machines.

Great! You are using Git for version control. Tracking code development and connecting the code version to the results is critical for reproducibility.

The results in this page were generated with repository version ff9877c. See the Past versions tab to see a history of the changes made to the R Markdown and HTML files.

Note that you need to be careful to ensure that all relevant files for the analysis have been committed to Git prior to generating the results (you can use wflow_publish or wflow_git_commit). workflowr only checks the R Markdown file, but you know if there are other scripts or data files that it depends on. Below is the status of the Git repository when the results were generated:


Ignored files:
    Ignored:    .Rhistory
    Ignored:    .Rproj.user/

Note that any generated files, e.g. HTML, png, CSS, etc., are not included in this status report because it is ok for generated content to have uncommitted changes.


These are the previous versions of the repository in which changes were made to the R Markdown (analysis/robustnessandconciseness.Rmd) and HTML (docs/robustnessandconciseness.html) files. If you’ve configured a remote Git repository (see ?wflow_git_remote), click on the hyperlinks in the table below to view the files as they were in that past version.

File Version Author Date Message
Rmd 9b4cff1 marcsole96 2025-01-28 Test
html eeb963a marcsole96 2025-01-28 Add generated site and update _site.yml

Representing a tree with dictionaries

https://blog.finxter.com/5-best-ways-to-construct-and-manage-a-tree-in-python/ https://builtin.com/articles/tree-python https://bigtree.readthedocs.io/en/0.14.8/ Pouly, Marc. “Estimating Text Similarity based on Semantic Concept Embeddings.” arXiv preprint arXiv:2401.04422 (2024).

import torch
import einops
import math


from transformers import AutoModel
# Load the Jina AI embeddings model


model = AutoModel.from_pretrained("jinaai/jina-embeddings-v3", trust_remote_code=True)

taxonomy_tree = {
    '1': {
        '2': {
            'A': 'Lake',
            'B': 'River'
        },
        'C': 'House',
        '3': {
            '4': {
                'D': 'Mountain',
                'E': 'Everest',
                'F': 'Volcano'
            }
        }
    }
}


# Function to extract leaf nodes
def get_leaf_nodes(taxonomy):
    leaves = {}
    def traverse(node, path):
        if isinstance(node, dict):
            for k, v in node.items():
                traverse(v, path + [k])
        else:
            leaves[path[-1]] = node  # Leaf node with its path
    traverse(taxonomy, [])
    return leaves

# Function to calculate similarity using the Jina AI embeddings model
def calculate_similarity(text1, text2):
    # Encode texts to get embeddings
    embeddings = model.encode([text1, text2])
    # Calculate cosine similarity
    sim = torch.nn.functional.cosine_similarity(torch.tensor(embeddings[0]), torch.tensor(embeddings[1]), dim=0)
    return sim.item()

# Function to calculate R(T)
def calculate_r_t(taxonomy):
    leaves = get_leaf_nodes(taxonomy)
    leaf_names = list(leaves.values())
    groups = [leaf_names[i:i + 2] for i in range(0, len(leaf_names), 2)]  # Grouping pairs

    total_groups = len(groups)
    r_t_values = []

    for group in groups:
        # Calculate pairwise similarities within the group
        similarities = []
        for i in range(len(group)):
            for j in range(i + 1, len(group)):
                sim = calculate_similarity(group[i], group[j])
                similarities.append(sim)

        if similarities:
            min_similarity = min(similarities)
        else:
            min_similarity = 0  # No pairs means no intruders possible

        # Count intruders
        intruder_count = 0
        for leaf in leaf_names:
            if leaf not in group:
                sim_with_group = calculate_similarity(leaf, group[0])
                if sim_with_group > min_similarity:
                    intruder_count += 1

        # Calculate R(T) for this group
        n_ic = intruder_count
        n_gc = len(group)
        n_ac = len(leaf_names)

        r_t = (1 - (n_ic / (n_gc * (n_ac - n_gc)))) if n_gc * (n_ac - n_gc) > 0 else 0
        r_t_values.append(r_t)

    return sum(r_t_values) / total_groups if total_groups > 0 else 0
  

def extract_ncat(taxonomy):
    ncat = 0
    first_category_found = False  # Flag to track if the first category has been encountered

    def count_categories(node, is_root=True):
        nonlocal ncat, first_category_found
        if isinstance(node, dict):
            # Only count nodes that are not the root and not leaves
            if not is_root:
                if not first_category_found:
                    first_category_found = True  # Set the flag after the first category is found
                else:
                    ncat += 1  # Count the intermediate category
                    print(f"Found category: {list(node.keys())}")  # Print the keys of the current category
            # Recursively process children, marking them as non-root
            for child in node.values():
                count_categories(child, is_root=False)

    count_categories(taxonomy)
    return ncat



def extract_nchar(taxonomy):
    nchar = 0

    def count_characteristics(node):
        nonlocal nchar
        if isinstance(node, dict):
            for child in node.values():
                count_characteristics(child)
        else:
            nchar += 1  # Count the current characteristic

    count_characteristics(taxonomy)
    return nchar

def extract_depths_cat(taxonomy):
    depths_cat = []

    def find_depths(node, depth):
        if isinstance(node, dict):
            depths_cat.append(depth)  # Record the depth of this category
            for child in node.values():
                find_depths(child, depth + 1)

    find_depths(taxonomy, 0)  # Start from depth 0
    return depths_cat
  
  
def extract_depths_char(taxonomy):
    depths_char = []

    def find_characteristic_depths(node, depth):
        if isinstance(node, dict):
            for child in node.values():
                find_characteristic_depths(child, depth + 1)
        else:
            depths_char.append(depth)  # Record the depth of this characteristic

    find_characteristic_depths(taxonomy, 0)  # Start from depth 0
    return depths_char



import math

def calculate_conciseness(ncat, nchar, depths_cat, depths_char):
    """
    Calculate the conciseness of the taxonomy using the proposed formula.

    Parameters:
    ncat (int): The number of categories.
    nchar (int): The number of characteristics.
    depths_cat (list): A list of depths for categories.
    depths_char (list): A list of depths for characteristics.

    Returns:
    float: The conciseness value of the taxonomy.
    """
    # Calculate the sum of the inverses of the depths for categories and characteristics
    # Only include depths greater than 0 to avoid division by zero
    sum_cat = sum(1 / d for d in depths_cat if d > 0) if ncat > 0 else 0  # Sum for categories
    sum_char = sum(1 / d for d in depths_char if d > 0) if nchar > 0 else 0  # Sum for characteristics

    # Calculate the total sum of inverses of depths
    total_sum = sum_cat + sum_char

    # Calculate conciseness using the provided formula
    if total_sum > 0:
        C_T = 1 / (1 + math.log(total_sum - 1))
    else:
        C_T = 0  # Return 0 if total_sum is not positive

    return C_T

  
ncat = extract_ncat(taxonomy_tree)
Found category: ['A', 'B']
Found category: ['4']
Found category: ['D', 'E', 'F']
nchar = extract_nchar(taxonomy_tree)
depths_cat = extract_depths_cat(taxonomy_tree)
depths_char = extract_depths_char(taxonomy_tree)

print("Number of categories (ncat):", ncat)
Number of categories (ncat): 3
print("Number of characteristics (nchar):", nchar)
Number of characteristics (nchar): 6
print("Depths of categories:", depths_cat)
Depths of categories: [0, 1, 2, 2, 3]
print("Depths of characteristics:", depths_char)
Depths of characteristics: [3, 3, 2, 4, 4, 4]
# Calculate R(T) for the given taxonomy
leaves=get_leaf_nodes(taxonomy_tree)
print(leaves)
{'A': 'Lake', 'B': 'River', 'C': 'House', 'D': 'Mountain', 'E': 'Everest', 'F': 'Volcano'}
robustness_value = calculate_r_t(taxonomy_tree)
print(f"Robustness R(T): {robustness_value:.4f}")
Robustness R(T): 0.9583
conciseness= calculate_conciseness(ncat, nchar, depths_cat, depths_char)
print(f'The conciseness of the taxonomy is: {conciseness}')
The conciseness of the taxonomy is: 0.45899878671895267

1st paper a software cost estimation taxonomy for global software development projects

new_taxonomy = {
    'Cost estimation for GSD': {
        'Cost estimation context': {
            'Planning': {
                "Conceptualization": "Conceptualization",
                "Feasibility study": "Feasibility study",
                "Preliminary planning": "Preliminary planning",
                "Detail Planning": "Detail planning",
                "Execution": "Execution",
                "Commissioning": "Commissioning"
            },
            'Project activities': {
                "System investigation": "System investigation",
                "Analysis": "Analysis",
                "Design": "Design",
                "Implementation": "Implementation",
                "Testing": "Testing",
                "Maintenance": "Maintenance",
                "Other Project Activities": "Project Activities.Other"
            },
            'Project domain': {
                "SE": "Systems Engineering",
                "Research & Dev": {
                    "Telecommunication": "Telecommunication"
                },
                "Finance": "Finance",
                "Healthcare": "Healthcare",
                "Other Project Domain": "Project Domain.Other"
            },
            'Project setting': {
                "Close onshore": "Close onshore",
                "Distant onshore": "Distant onshore",
                "Near offshore": "Near offshore",
                "Far offshore": "Far offshore"
            },
            'Planning approaches': {
                "Constructive Cost Model": "Constructive Cost Model",
                "Capability Maturity Model Integration": "Capability Maturity Model Integration",
                "Agile": "Agile",
                "Delphi": "Delphi",
                "GA": "Genetic Algorithms",
                "CBR": "Case-Based Reasoning",
                "Fuzzy similar": "Fuzzy similar",
                "Other planning approaches": "Planning Approaches.other"
            },
            'Number of sites': {
                "Value of number of sites": "Number of sites.Value"
            },
            'Team size': {
                "No of team members": "Number of team members"
            }
        },
        'Estimation technique': {
            'Estimation technique': {
                "Expert judgment": "Expert judgment",
                "Machine learning": "Machine learning",
                "Non-machine learning": "Non-machine learning"
            },
            'Use technique': {
                "Individual": "Individual",
                "Group-based estimation": "Group-based estimation"
            }
        },
        'Cost estimate': {
            'Estimated cost': {
                "Estimate value": "Estimated value"
            },
            'Actual cost': {
                "Value": "Actual cost.Value"
            },
            'Estimation dimension': {
                "Effort hours": "Effort hours",
                "Staff/cost": "Staff/cost",
                "Hardware": "Hardware",
                "Risk": "Risk",
                "Portfolio": "Portfolio"
            },
            'Accuracy measure': {
                "Baseline comparison": "Baseline comparison",
                "Variation reduction": "Variation reduction",
                "Sensitivity analysis": "Sensitivity analysis"
            }
        },
        'Cost estimators': {
            'Product size': {
                "Size report": "Size report",
                "Statistics analysis": "Statistics analysis"
            },
            'Team experience': {
                "Considered": "Team experience.Considered",
                "Not considered": "Team experience.Not considered"
            },
            'Team structure': {
                "Considered": "Team structure.Considered",
                "Not Considered": "Team structure.Not considered"
            },
            'Product requirement': {
                "Performance": "Performance",
                "Security": "Security",
                "Availability": "Availability",
                "Reliability": "Reliability",
                "Maintainability": "Maintainability",
                "Other requirement": "Producte requirement.Other"
            },
            'Distributed teams distances': {
                "Geographical distance": "Geographical distance",
                "Temporal distance": "Temporal distance",
                "Socio-cultural distance": "Socio-cultural distance"
            }
        }
    }
}

bajta_tax = new_taxonomy
leaves = get_leaf_nodes(new_taxonomy)
print(leaves)

ncat = extract_ncat(new_taxonomy)
nchar = extract_nchar(new_taxonomy)
depths_cat = extract_depths_cat(new_taxonomy)
depths_char = extract_depths_char(new_taxonomy)

print("Number of categories (ncat):", ncat)
print("Number of characteristics (nchar):", nchar)
print("Depths of categories:", depths_cat)
print("Depths of characteristics:", depths_char)

robustness_value = calculate_r_t(new_taxonomy)
print(f"Robustness R(T): {robustness_value:.4f}")
conciseness= calculate_conciseness(ncat, nchar, depths_cat, depths_char)
print(f'The conciseness of the taxonomy is: {conciseness}')

2nd paper, A taxonomy of web effort predictors

new_taxonomy = {
    'Web Predictor': {
        'Size Metric': {
            'Length': {
                        'Web page count': 'Web page count',
                        'Media count': 'Media count',
                        'New media count': 'New media count',
                        'New Web page count': 'New Web page count',
                        'Link count': 'Link count',
                        'Program count': 'Program count',
                        'Reused component count': 'Reused component count',
                        'Lines of code': 'Lines of code',
                        'Reused program count': 'Reused program count',
                        'Reused media count': 'Reused media count',
                        'Web page allocation': 'Web page allocation',
                        'Reused lines of code': 'Reused lines of code',
                        'Media allocation': 'Media allocation',
                        'Reused media allocation': 'Reused media allocation',
                        'Entity count': 'Entity count',
                        'Attribute count': 'Attribute count',
                        'Component count': 'Component count',
                        'Statement count': 'Statement count',
                        'Node count': 'Node count',
                        'Collection slot size': 'Collection slot size',
                        'Component granularity level': 'Component granularity level',
                        'Slot granularity level': 'Slot granularity level',
                        'Model node size': 'Model node size',
                        'Cluster node size': 'Cluster node size',
                        'Node slot size': 'Node slot size',
                        'Publishing model unit count': 'Publishing model unit count',
                        'Model slot size': 'Model slot size',
                        'Association slot size': 'Association slot size',
                        'Client script count': 'Client script count',
                        'Server script count': 'Server script count',
                        'Information slot count': 'Information slot count',
                        'Association center slot count': 'Association center slot count',
                        'Collection center slot count': 'Collection center slot count',
                        'Component slot count': 'Component slot count',
                        'Semantic association count': 'Semantic association count',
                        'Segment count': 'Segment count',
                        'Slot count': 'Slot count',
                        'Cluster slot count': 'Cluster slot count',
                        'Cluster count': 'Cluster count',
                        'Publishing unit count': 'Publishing unit count',
                        'Section count': 'Section count',
                        'Inner/sub concern count': 'Inner/sub concern count',
                        'Indifferent concern count': 'Indifferent concern count',
                        'Module point cut count': 'Module point cut count',
                        'Module count': 'Module count',
                        'Module attribute count': 'Module attribute count',
                        'Operation count': 'Operation count',
                        'Comment count': 'Comment count',
                        'Reused comment count': 'Reused comment count',
                        'Media duration': 'Media duration',
                        'Diffusion cut count': 'Diffusion cut count',
                        'Concern module count': 'Concern module count',
                        'Concern operation count': 'Concern operation count',
                        'Anchor count': 'Anchor count'},
            'Functionality': {
                        'High feature count': 'High feature count',
                        'Low feature count': 'Low feature count',
                        'Reused high feature count': 'Reused high feature count',
                        'Reused low feature count': 'Reused low feature count',
                        'Web objects': 'Web objects',
                        'Common Software Measurement International Consortium': 'Common Software Measurement International Consortium',
                        'International Function Point Users Group': 'International Function Point Users Group',
                        'Object-Oriented Heuristic Function Points': 'Object-Oriented Heuristic Function Points',
                        'Object-Oriented Function Points': 'Object-Oriented Function Points',
                        'Use case count': 'Use case count',
                        'Feature count': 'Feature count',
                        'Data Web points': 'Data Web points'},
            
            'Object-oriented': {
                        'Cohesion': 'Cohesion',
                        'Class coupling': 'Class coupling',
                        'Concern coupling': 'Concern coupling'}, 

            'Complexity': {
                        'Connectivity density': 'Connectivity density',
                        'Cyclomatic complexity': 'Cyclomatic complexity',
                        'Model collection complexity': 'Model collection complexity',
                        'Model association complexity': 'Model association complexity',
                        'Model link complexity': 'Model link complexity',
                        'Page complexity': 'Page complexity',
                        'Component complexity': 'Component complexity',
                        'Total complexity': 'Total complexity',
                        'Adaptation complexity': 'Adaptation complexity',
                        'New complexity': 'New complexity',
                        'Data usage complexity': 'Data usage complexity',
                        'Data flow complexity': 'Data flow complexity',
                        'Cohesion complexity': 'Cohesion complexity',
                        'Interface complexity': 'Interface complexity',
                        'Control flow complexity': 'Control flow complexity',
                        'Class complexity': 'Class complexity',
                        'Layout complexity': 'Layout complexity',
                        'Input complexity': 'Input complexity',
                        'Output complexity': 'Output complexity'} 
                        },
        'Cost Driver': {
          'Product':{
            'Type of product': 'Product.Type',
            'Stratum': 'Stratum',
            'Compactness': 'Compactness',
            'Structure': 'Structure',
            'Architecture': 'Architecture',
            'Integration with legacy systems': 'Integration with legacy systems',
            'Concurrency level': 'Concurrency level',
            'Processing requirements': 'Processing requirements',
            'Database size': 'Database size',
            'Requirements volatility level': 'Requirements volatility level',
            'Requirements novelty level': 'Requirements novelty level',
            'Reliability level': 'Reliability level',
            'Maintainability level': 'Maintainability level',
            'Time efficiency level': 'Time efficiency level',
            'Memory efficiency level': 'Memory efficiency level',
            'Portability level': 'Portability level',
            'Scalability level': 'Scalability level',
            'Quality level': 'Quality level',
            'Usability level': 'Usability level',
            'Readability level': 'Readability level',
            'Security level': 'Security level',
            'Installability level': 'Installability level',
            'Modularity level': 'Modularity level',
            'Flexibility level': 'Flexibility level',
            'Testability level': 'Testability level',
            'Accessibility level': 'Accessibility level',
            'Trainability level': 'Trainability level',
            'Innovation level': 'Innovation level',
            'Technical factors': 'Technical factors',
            'Storage constraint': 'Storage constraint',
            'Reusability level': 'Reusability level',
            'Robustness level': 'Robustness level',
            'Design volatility': 'Design volatility',
            'Experience level': 'Experience level',
            'Requirements clarity level': 'Requirements clarity level'},
        'Client': {
            'Availability level': 'Availability level',
            'IT literacy': 'IT literacy',
            'Mapped workflows': 'Mapped workflows',
            'Personality of client': 'Client.Personality'},
            
        'Development Company': {
            'SPI program': 'SPI program',
            'Metrics’ program': 'Metrics’ program',
            'Number of projects in parallel': 'Number of projects in parallel',
            'Software reuse': 'Software reuse'},
        'Project': {
            'Documentation level': 'Documentation level',
            'Number of programming languages': 'Number of programming languages',
            'Type of project': 'Project.Type',
            'Process efficiency level': 'Process efficiency level',
            'Project management level': 'Project management level',
            'Infrastructure': 'Infrastructure',
            'Development restriction': 'Development restriction',
            'Time restriction': 'Time restriction',
            'Risk level': 'Risk level',
            'Rapid app development': 'Rapid app development',
            'Operational mode': 'Operational mode',
            'Resource level': 'Resource level',
            'Lessons learned repository': 'Lessons learned repository'},            
        'Team': {
            'Domain experience level': 'Domain experience level',
            'Team size': 'Team size',
            'Deployment platform experience level': 'Deployment platform experience level',
            'Team capability': 'Team capability',
            'Programming language experience level': 'Programming language experience level',
            'Tool experience level': 'Tool experience level',
            'Communication level': 'Communication level',
            'Software development experience': 'Software development experience',
            'Work Team level': 'Work Team level',
            'Stability level': 'Stability level',
            'Motivation level': 'Motivation level',
            'Focus factor': 'Focus factor',
            'Tool experience level': 'Tool experience level',
            'OO experience level': 'OO experience level',
            'In-house experience': 'In-house experience'},
        'Technology': {
            'Authoring tool type': 'Authoring tool type',
            'Productivity level': 'Productivity level',
            'Novelty level': 'Novelty level',
            'Platform volatility level': 'Platform volatility level',
            'Difficulty level': 'Difficulty level',
            'Platform support level': 'Platform support level'}}
          
}
}

britto1_tax=new_taxonomy
leaves = get_leaf_nodes(new_taxonomy)
print(leaves)

ncat = extract_ncat(new_taxonomy)
nchar = extract_nchar(new_taxonomy)
depths_cat = extract_depths_cat(new_taxonomy)
depths_char = extract_depths_char(new_taxonomy)

print("Number of categories (ncat):", ncat)
print("Number of characteristics (nchar):", nchar)
print("Depths of categories:", depths_cat)
print("Depths of characteristics:", depths_char)

robustness_value = calculate_r_t(new_taxonomy)
print(f"Robustness R(T): {robustness_value:.4f}")
conciseness= calculate_conciseness(ncat, nchar, depths_cat, depths_char)
print(f'The conciseness of the taxonomy is: {conciseness}')

3rd Paper A specialized global software engineering taxonomy for effort estimation


new_taxonomy = {
    'GSE': {
        'Project': {
            'Site': {
                "Location": "Location",
                "Legal Entity": "Legal Entity",
                "Geographic Distance": "Geographic Distance",
                "Temporal Distance": "Temporal Distance",
                "Estimation stage": {
                    "Early Estimation stage": "Estimation stage.Early",
                    "Early & Late Estimation stage": "Estimation stage.Early & Late",
                    "Late Estimation stage": "Estimation stage.Late"
                },
                "Estimation process role": {
                    "Estimator": "Estimator",
                    "Estimator & Provider": "Estimator & Provider",
                    "Provider": "Provider"
                }
            },
            'Relationship': {
                "Location": "Location",
                "Legal Entity": "Legal Entity",
                "Geographic Distance": "Geographic Distance",
                "Temporal Distance": "Temporal Distance",
                "Estimation process architectural model": {
                    "Centralized": "Centralized",
                    "Distributed": "Distributed",
                    "Semi-distributed": "Semi-distributed"
                }
            }
        }
    }
}

britto2_tax=new_taxonomy
leaves = get_leaf_nodes(new_taxonomy)
print(leaves)

ncat = extract_ncat(new_taxonomy)
nchar = extract_nchar(new_taxonomy)
depths_cat = extract_depths_cat(new_taxonomy)
depths_char = extract_depths_char(new_taxonomy)

print("Number of categories (ncat):", ncat)
print("Number of characteristics (nchar):", nchar)
print("Depths of categories:", depths_cat)
print("Depths of characteristics:", depths_char)

robustness_value = calculate_r_t(new_taxonomy)
print(f"Robustness R(T): {robustness_value:.4f}")
conciseness= calculate_conciseness(ncat, nchar, depths_cat, depths_char)
print(f'The conciseness of the taxonomy is: {conciseness}')

4rth Paper: A taxonomy of Approaches and Methods for Software Effort Estimation

new_taxonomy = {
    'Software estimation': {
        'Basic Estimating Methods': {
            "Algorithmic": {
                "Constructive Cost Model": "Constructive Cost Model",
                "Software Life Cycle Management": "Software Life Cycle Management",
                "Software Evaluation and Estimation for Risk": "Software Evaluation and Estimation for Risk"
            },
            "Non-Algorithmic": {
                "Expert Judgment": "Expert Judgment",  # Corrected spelling
                "Analogy-Based": "Analogy-Based"
            }
        },
        'Combined Estimating Methods': {
            "Basic-Combination": "Basic-Combination",
            "Legal Entity": "Legal Entity",
            "Estimation process architectural model": {
                "Fuzzy Logic": "Fuzzy Logic",
                "Artificial Neural Networks": "Artificial Neural Networks",
                "Computational Intelligence": {  # Corrected spelling
                    "swarm": "swarm",
                    "evolutionary": "evolutionary"
                }
            },
            "AI-Combined hybrid": "AI-Combined hybrid"
        }
    }
}

dashti_tax=new_taxonomy
leaves = get_leaf_nodes(new_taxonomy)
print(leaves)

ncat = extract_ncat(new_taxonomy)
nchar = extract_nchar(new_taxonomy)
depths_cat = extract_depths_cat(new_taxonomy)
depths_char = extract_depths_char(new_taxonomy)

print("Number of categories (ncat):", ncat)
print("Number of characteristics (nchar):", nchar)
print("Depths of categories:", depths_cat)
print("Depths of characteristics:", depths_char)

robustness_value = calculate_r_t(new_taxonomy)
print(f"Robustness R(T): {robustness_value:.4f}")
conciseness= calculate_conciseness(ncat, nchar, depths_cat, depths_char)
print(f'The conciseness of the taxonomy is: {conciseness}')

5th Paper, Towards a Taxonomy of Hypermedia and Web Application Size Metrics.


new_taxonomy = {
  "Hypermedia and Web Application Size Metrics":{
    "Motivation":{"Motivation":"Motivation"},
    "Harvesting time":{
      "Early":"Early size metric",
      "Late":"Late size metric"},
    "Metric foundation":{
      "Problem-oriented metric":"Problem-oriented metric",
      "Solution-oriented metric":"Solution-oriented metric"},
    "Class":{
      "Length":"Length",
      "Functionality":"Functionality",
      "Complexity":"Complexity"},
    "Entity":{
      "Web hypermedia application":"Web hypermedia application",
      "Web software application":"Web software application",
      "Web application":"Web application",
      "Media":"Media",
      "Program/Script":"Program/Sript"},
    "Measurement Scale":{
      "Nominal":"Nominal",
      "Ordinal":"Ordinal",
      "Interval":"Interval",
      "Ratio":"Ratio",
      "Absolute":"Absolute"},
    "Computation":{
      "Direct":"Direct",
      "Indirect":"Indirect"},
    "Validation":{
      "Validated Empirically":"Validated Empirically",
      "Validated Theoretically":"Validated Theoretically",
      "Both Empirically and Theoretically":"Validation.Both",
      "No Validation":"Validation.None"},
    "Model dependency":{
      "Specific":"Specific",
      "Nonspecific":"Nonspecific"}
}
}

mendes_tax=new_taxonomy
leaves = get_leaf_nodes(new_taxonomy)
print(leaves)

ncat = extract_ncat(new_taxonomy)
nchar = extract_nchar(new_taxonomy)
depths_cat = extract_depths_cat(new_taxonomy)
depths_char = extract_depths_char(new_taxonomy)

print("Number of categories (ncat):", ncat)
print("Number of characteristics (nchar):", nchar)
print("Depths of categories:", depths_cat)
print("Depths of characteristics:", depths_char)

robustness_value = calculate_r_t(new_taxonomy)
print(f"Robustness R(T): {robustness_value:.4f}")
conciseness= calculate_conciseness(ncat, nchar, depths_cat, depths_char)
print(f'The conciseness of the taxonomy is: {conciseness}')

##4 6th Paper, An Effort Estimation Taxonomy for Agile Software Development

new_taxonomy = {
    'Effort Estimation in ASD': {
        'Estimation context': {
            "Planning level": {
                "Release Planning level": "Planning level.Release",
                "Sprint Planning level": "Planning level.Sprint",
                "Daily Planning level": "Planning level.Daily",
                "Bidding Planning level": "Planning level.Bidding"
            },
            "Estimated activities": {
                "Analysis": "Analysis",
                "Design": "Design",
                "Implementation": "Implementation",
                "Testing": "Testing",
                "Maintenance": "Maintenance",
                "All estimateed activities": "Estimated activities.All"
            },
            "Agile methods": {
                "Extreme Programming": "Extreme Programming",
                "Scrum": "Scrum",
                "Customized Extreme Programming": "Customized Extreme Programming",
                "Customized Scrum": "Customized Scrum",
                "Dynamic Systems Development Method": "Dynamic Systems Development Method",
                "Crystal": "Crystal",
                "Feature-Driven Development": "Feature-Driven Development",
                "Kanban": "Kanban"
            },
            "Project domain": {
                "Communications industry": "Communications industry",
                "Transportation": "Transportation",
                "Financial": "Financial",
                "Education": "Education",
                "Health": "Health",
                "Retail/Wholesale": "Retail/Wholesale",
                "Manufacturing": "Manufacturing",
                "Government/Military": "Government/Military",
                "Other project domain": "Project somain.Other"
            },
            "Project setting": {
                "Co-located Project setting": "Project setting.Co-located",
                "Distributed: Close Onshore": "Distributed: Close Onshore",
                "Distributed: Distant Onshore": "Distributed: Distant Onshore",
                "Distributed: Near Offshore": "Distributed: Near Offshore",
                "Distributed: Far Offshore": "Distributed: Far Offshore"
            },
            "Estimation entity": {
                "User story Estimation entity": "User story",
                "Task Estimation entity": "Task",
                "Use case Estimation entity": "Use case",
                "Other Estimation entity": "Estimation entity.Other"
            },
            "Number of entities estimated": {
                "Number of entities estimated": "Number of entities estimated"
            },
            "Team size": {
                "No. of team members": "Team size.Value"
            }
        },
        'Estimation technique': {
            "Estimation Techniques": {
                "Planning Poker": "Planning Poker",
                "Expert Judgement": "Expert Judgement",
                "Analogy": "Analogy",
                "Use case points method": "Use case points method",
                "Other estimation technique": "Estimation technique.Other"
            },
            "Type": {
                "Single type": "Type.Single",
                "Group type": "Type.Group"
            }
        },
        'Effort predictors': {
            "Size": {
                "Story points": "Story points",
                "User case points": "User case points",
                "Function points": "Function points",
                "Other Effort predictors": "Other Effort predictors",
                "Not used Effort predictors": "Not used Effort predictors",
                "Considered without any metric": "Considered without any metric"
            },
            "Team's prior experience": {
                "Considered Team's prior experience": "Team's prior experience.Considered",
                "Not Considered Team's prior experience": "Team's prior experience.Not Considered"
            },
            "Team's skill level": {
                "Considered Team's skill level": "Team's skill level.Considered",
                "Not Considered Team's skill level": "Team's skill level.Not Considered"
            },
            "Non functional requirements": {
                "Performance": "Performance",
                "Security": "Security",
                "Availability": "Availability",
                "Reliability": "Reliability",
                "Maintainability": "Maintainability",
                "Other Non functional requirements": "Non functional requirements.Other",  # Changed period to comma
                "Not considered Non functional requirements": "Non functional requirements.Not considered"
            },
            "Distributed teams' issues": {
                "Considered Distributed teams": "Distributed teams.Considered",
                "Not Considered Distributed teams": "Distributed teams.Not Considered",
                "Not applicable Distributed teams": "Distributed teams.Not applicable"
            },
            "Customer Communication": {
                "Considered Customer Communication": "Customer Communication.Considered",
                "Not Considered Customer Communication": "Customer Communication.Not Considered"
            }
        },
        'Effort estimate': {
            "Estimated effort": {
                "Estimate value(s)": "Estimate value(s)"
            },
            "Actual effort": {
                "Actual effort Value": "Actual effort.Value"
            },
            "Type": {
                "Point Type": "Point Type",
                "Three point Type": "Three point Type",
                "Distribution Type": "Distribution Type",
                "Other Type": "Other Type"
            },
            "Unit": {
                "House/days": "House/days",
                "Pair days": "Pair/days",
                "Ideal hours": "Ideal hours",
                "Other Unit": "Unit.Other"
            },
            "Accuracy Level": {
                "Accuracy Level Value": "Accuracy Level.Value"
            },
            "Accuracy measure": {
                "Mean Magnitude of Relative Error": "Mean Magnitude of Relative Error",
                "Median Magnitude of Relative Error": "Median Magnitude of Relative Error",
                "Bias of Relative Error": "Bias of Relative Error",
                "Other Accuracy measure": "Accuracy measure.Other",
                "Not used Accuracy measure": "Accuracy measure.Not used"
            }
        }
    }
}

usman_tax=new_taxonomy
leaves = get_leaf_nodes(new_taxonomy)
print(leaves)

ncat = extract_ncat(new_taxonomy)
nchar = extract_nchar(new_taxonomy)
depths_cat = extract_depths_cat(new_taxonomy)
depths_char = extract_depths_char(new_taxonomy)

print("Number of categories (ncat):", ncat)
print("Number of characteristics (nchar):", nchar)
print("Depths of categories:", depths_cat)
print("Depths of characteristics:", depths_char)

robustness_value = calculate_r_t(new_taxonomy)
print(f"Robustness R(T): {robustness_value:.4f}")
conciseness= calculate_conciseness(ncat, nchar, depths_cat, depths_char)
print(f'The conciseness of the taxonomy is: {conciseness}')
import pandas as pd
import numpy as np
from sklearn.manifold import TSNE
from sklearn.preprocessing import LabelEncoder
import matplotlib.pyplot as plt
from mpl_toolkits.mplot3d import Axes3D  # Import for 3D plotting
from transformers import AutoTokenizer, AutoModel
import torch
import matplotlib
plt.clf()

plt.style.use('seaborn-v0_8-whitegrid')  # You can change this to any available style

plt.rcParams['font.family'] = 'serif'

# Extracting categories sets
def extract_intermediate_elements(taxonomy, result=None):
    if result is None:
        result = set()

    for key, value in taxonomy.items():
        if isinstance(value, dict):
            result.add(key)
            extract_intermediate_elements(value, result)

    return result

bajta_tax_categories = extract_intermediate_elements(bajta_tax)
britto1_tax_categories = extract_intermediate_elements(britto1_tax)
britto2_tax_categories = extract_intermediate_elements(britto2_tax)
dashti_tax_categories = extract_intermediate_elements(dashti_tax)
mendes_tax_categories = extract_intermediate_elements(mendes_tax)
usman_tax_categories = extract_intermediate_elements(usman_tax)

print({'Bajta': bajta_tax_categories})
{'Bajta': {'Project setting', 'Project activities', 'Estimation technique', 'Team experience', 'Cost estimate', 'Cost estimation for GSD', 'Product size', 'Distributed teams distances', 'Actual cost', 'Accuracy measure', 'Product requirement', 'Cost estimation context', 'Estimated cost', 'Planning', 'Number of sites', 'Cost estimators', 'Project domain', 'Research & Dev', 'Team structure', 'Planning approaches', 'Use technique', 'Estimation dimension', 'Team size'}}
print({'Britto_2017':britto1_tax_categories})
{'Britto_2017': {'Technology', 'Product', 'Client', 'Cost Driver', 'Size Metric', 'Project', 'Functionality', 'Team', 'Length', 'Complexity', 'Object-oriented', 'Web Predictor', 'Development Company'}}
print({'Britto_2016':britto2_tax_categories})
{'Britto_2016': {'Estimation process architectural model', 'GSE', 'Site', 'Project', 'Relationship', 'Estimation stage', 'Estimation process role'}}
print({'Dashti':dashti_tax_categories})
{'Dashti': {'Estimation process architectural model', 'Software estimation', 'Non-Algorithmic', 'Basic Estimating Methods', 'Computational Intelligence', 'Combined Estimating Methods', 'Algorithmic'}}
print({'Mendes':mendes_tax_categories})
{'Mendes': {'Entity', 'Harvesting time', 'Hypermedia and Web Application Size Metrics', 'Computation', 'Model dependency', 'Validation', 'Measurement Scale', 'Metric foundation', 'Motivation', 'Class'}}
print({'Usman':usman_tax_categories})
{'Usman': {'Project setting', 'Estimation technique', 'Estimation entity', 'Size', 'Type', 'Agile methods', 'Planning level', 'Estimated effort', 'Accuracy measure', 'Effort estimate', 'Accuracy Level', 'Estimated activities', "Team's prior experience", 'Unit', "Team's skill level", 'Non functional requirements', 'Customer Communication', 'Project domain', 'Estimation context', 'Estimation Techniques', 'Effort Estimation in ASD', 'Actual effort', "Distributed teams' issues", 'Effort predictors', 'Team size', 'Number of entities estimated'}}
sets = {
    'Bajta': bajta_tax_categories,
    'Britto_2017': britto1_tax_categories,
    'Britto_2016': britto2_tax_categories,
    'Dashti': dashti_tax_categories,
    'Mendes': mendes_tax_categories,
    'Usman': usman_tax_categories
}


# Extract characteristics (Execute only one of the two, or characteristics set or categories set)

def extract_leaf_elements(nested_dict):
    """Recursively extract leaf nodes from a nested dictionary."""
    leaves = set()
    for key, value in nested_dict.items():
        if isinstance(value, dict):
            # Recursively process sub-dictionaries
            leaves.update(extract_leaf_elements(value))
        else:
            # Add the current key as it's a leaf node
            leaves.add(value)
    return leaves

# Example usage with your taxonomies
bajta_tax_leaves = extract_leaf_elements(bajta_tax)
britto1_tax_leaves = extract_leaf_elements(britto1_tax)
britto2_tax_leaves = extract_leaf_elements(britto2_tax)
dashti_tax_leaves = extract_leaf_elements(dashti_tax)
mendes_tax_leaves = extract_leaf_elements(mendes_tax)
usman_tax_leaves = extract_leaf_elements(usman_tax)

sets = {
    'Bajta': bajta_tax_leaves,
    'Britto_2017': britto1_tax_leaves,
    'Britto_2016': britto2_tax_leaves,
    'Dashti': dashti_tax_leaves,
    'Mendes': mendes_tax_leaves,
    'Usman': usman_tax_leaves
}

# Output the final dictionary

# Step 2: Flatten the sets into a dataframe (assuming 'sets' is already defined)
words = []
labels = []
for label, words_set in sets.items():
    for word in words_set:
        words.append(word)
        labels.append(label)

# Create a dataframe
df = pd.DataFrame({'Word': words, 'Set': labels})

# Step 3: Load the pre-trained model and tokenizer
model_name = "jinaai/jina-embeddings-v3"
if 'model' not in locals() or 'tokenizer' not in locals():
    print("Loading model and tokenizer...")
    model = AutoModel.from_pretrained(model_name, trust_remote_code=True)
    tokenizer = AutoTokenizer.from_pretrained(model_name)
else:
    print("Model and tokenizer are already loaded.")
Loading model and tokenizer...
# Step 4: Get the embeddings for each word
def get_embeddings(word):
    inputs = tokenizer(word, return_tensors="pt", truncation=True, padding=True)
    with torch.no_grad():
        outputs = model(**inputs)
    return outputs.last_hidden_state.mean(dim=1).squeeze().numpy()

embeddings = np.array([get_embeddings(word) for word in df['Word']])

# Step 5: Perform t-SNE (now in 2D)
tsne = TSNE(n_components=2, perplexity=30, random_state=5)
embeddings_2d = tsne.fit_transform(embeddings)
C:\Users\mysit\AppData\Local\Programs\Python\Python39\lib\site-packages\joblib\externals\loky\backend\context.py:136: UserWarning: Could not find the number of physical cores for the following reason:
found 0 physical cores < 1
Returning the number of logical cores instead. You can silence this warning by setting LOKY_MAX_CPU_COUNT to the number of cores you want to use.
  warnings.warn(
  File "C:\Users\mysit\AppData\Local\Programs\Python\Python39\lib\site-packages\joblib\externals\loky\backend\context.py", line 282, in _count_physical_cores
    raise ValueError(f"found {cpu_count_physical} physical cores < 1")
# Step 6: Convert string labels to numeric labels for coloring
label_encoder = LabelEncoder()
numeric_labels = label_encoder.fit_transform(labels)

# Step 7: Create the 2D scatter plot
fig, ax = plt.subplots(figsize=(10, 7))

# Plot the 2D scatter with the numeric labels for colors
scatter = ax.scatter(embeddings_2d[:, 0], embeddings_2d[:, 1], 
                     c=numeric_labels, cmap='Set1', s=100)

# Annotate each point with the word
for i, word in enumerate(df['Word']):
    ax.text(embeddings_2d[i, 0] + 0.1, embeddings_2d[i, 1] + 0.1, word, fontsize=9)

# Step 8: Add labels and title
ax.set_title("2D t-SNE Visualization of Word Embeddings")
ax.set_xlabel("t-SNE Dimension 1")
ax.set_ylabel("t-SNE Dimension 2")

# Step 9: Move the legend outside of the plot
legend_labels = label_encoder.classes_
handles = [plt.Line2D([0], [0], marker='o', color='w', 
                      markerfacecolor=plt.cm.Set2(i / len(legend_labels)), markersize=5) 
           for i in range(len(legend_labels))]
ax.legend(handles, legend_labels, title="Set", loc="center left", bbox_to_anchor=(1.05, 0.5), borderaxespad=0.)

# Step 10: Show the plot
plt.tight_layout()  # Ensures proper spacing with the legend outside
plt.savefig('word_embeddings.png', dpi=300, bbox_inches='tight')
plt.show()

K-means Plot

import random
import umap.umap_ as umap
import pandas as pd
import numpy as np
from sklearn.preprocessing import LabelEncoder
from sklearn.cluster import KMeans
import matplotlib.pyplot as plt
from scipy.spatial import ConvexHull
from transformers import AutoTokenizer, AutoModel
import torch
from sklearn.metrics.pairwise import cosine_similarity
from matplotlib.lines import Line2D  # Add this import at the top of your code
colorstyle = "Set2"
seed=5
marker_styles = ['o', '^', 's', 'p', '*', 'D']
random.seed(seed)
np.random.seed(seed)
torch.manual_seed(seed)
<torch._C.Generator object at 0x000000007F5E50D0>
plt.clf()

plt.style.use('seaborn-v0_8-whitegrid')  # You can change this to any available style

plt.rcParams['font.family'] = 'serif'


# Step 2: Flatten the sets into a dataframe
words = []
labels = []
for label, words_set in sets.items():
    for word in words_set:
        words.append(word.lower())
        labels.append(label)

# Create a dataframe
df = pd.DataFrame({'Word': words, 'Set': labels})

# Step 3: Load the pre-trained model and tokenizer
model_name = "jinaai/jina-embeddings-v3"
if 'model' not in locals() or 'tokenizer' not in locals():
    print("Loading model and tokenizer...")
    model = AutoModel.from_pretrained(model_name, trust_remote_code=True)
    tokenizer = AutoTokenizer.from_pretrained(model_name)
else:
    print("Model and tokenizer are already loaded.")
Model and tokenizer are already loaded.
# Step 4: Get the embeddings for each word
def get_embeddings(word):
    inputs = tokenizer(word, return_tensors="pt", truncation=True, padding=True)
    with torch.no_grad():
        outputs = model(**inputs)
    return outputs.last_hidden_state.mean(dim=1).squeeze().numpy()

embeddings = np.array([get_embeddings(word) for word in df['Word']])

# Step 5: Perform 2D UMAP
umap_model = umap.UMAP(n_components=2, random_state=5)
embeddings_2d = umap_model.fit_transform(embeddings)
C:\Users\mysit\AppData\Local\Programs\Python\Python39\lib\site-packages\umap\umap_.py:1952: UserWarning: n_jobs value 1 overridden to 1 by setting random_state. Use no seed for parallelism.
  warn(
# Step 6: Create a color map that reflects the set labels
unique_labels = list(df['Set'].unique())  # Get the unique set labels
cmap = plt.cm.get_cmap(colorstyle, len(unique_labels))  # Create a colormap with enough colors
<string>:1: MatplotlibDeprecationWarning: The get_cmap function was deprecated in Matplotlib 3.7 and will be removed two minor releases later. Use ``matplotlib.colormaps[name]`` or ``matplotlib.colormaps.get_cmap(obj)`` instead.
# Step 7: Run K-means on UMAP embeddings
num_clusters = len(unique_labels)  # Set number of clusters to match unique labels
kmeans = KMeans(n_clusters=num_clusters, n_init=10, random_state=5)
kmeans_labels = kmeans.fit_predict(embeddings_2d)

# Step 8: Generate top 4 names for each cluster
top_n = 3  # Set how many top words to display for each cluster
cluster_names = []

for i in range(num_clusters):
    # Get the embeddings for words in the current cluster
    cluster_indices = np.where(kmeans_labels == i)[0]
    cluster_embeddings = embeddings[cluster_indices]
    
    # Calculate the centroid of the cluster
    cluster_centroid = np.mean(cluster_embeddings, axis=0).reshape(1, -1)
    
    # Calculate cosine similarity of centroid to all words' embeddings to find closest words
    similarities = cosine_similarity(cluster_centroid, embeddings).flatten()
    
    # Get the indices of the top 4 closest words
    closest_word_indices = np.argsort(similarities)[-top_n:][::-1]  # Get indices of top 4 closest words
    
    # Get the words corresponding to these indices
    closest_words = df['Word'].iloc[closest_word_indices].tolist()
    
    # Store the top 4 closest words as the cluster name
    cluster_names.append(closest_words)

# Step 9: Plot with translucent shapes for each K-means cluster and annotate with top 4 names
plt.figure(figsize=(10, 7))
color_map = {label: cmap(i) for i, label in enumerate(unique_labels)}

# Create a list of marker styles to use for each label
marker_styles = ['o', '^', 's', 'p', '*', 'D']  # Add more marker styles if needed

# Loop through each label and plot with the corresponding marker style
plt.figure(figsize=(10, 7))

for i, label in enumerate(unique_labels):
    # Get the data for the current label
    label_data = df[df['Set'] == label]
    
    # Plot with a different marker for each label
    plt.scatter(embeddings_2d[df['Set'] == label, 0], 
                embeddings_2d[df['Set'] == label, 1],
                c=[color_map[label]] * len(label_data), 
                s=80, 
                label=label,
                marker=marker_styles[i % len(marker_styles)], alpha=0.6)  # Use modulo to cycle through marker styles


# Draw convex hulls around each cluster and annotate with cluster names
for i in range(num_clusters):
    cluster_points = embeddings_2d[kmeans_labels == i]
    
    if len(cluster_points) >= 3:  # ConvexHull requires at least 3 points
        hull = ConvexHull(cluster_points)
        hull_points = cluster_points[hull.vertices]
        plt.fill(hull_points[:, 0], hull_points[:, 1], alpha=0.2, 
                 color=cmap(i), label=f'Cluster {i+1}')
    
    # Annotate with the top 4 cluster names at the centroid location
    cluster_centroid_2d = np.mean(cluster_points, axis=0)
    # Join the top 4 words into a string with commas for cleaner display
    cluster_name_text = '\n'.join(cluster_names[i]).upper() 
    
    # Annotate with the top words at the centroid, with slightly smaller font size
    plt.text(cluster_centroid_2d[0], cluster_centroid_2d[1], cluster_name_text, 
             fontsize=8, ha='center', color='black')

# Step 10: Custom legend to show colors and shapes for each label
plt.title("2D UMAP Visualization of Word Embeddings with K-means Clusters")
plt.xlabel("UMAP Dimension 1")
plt.ylabel("UMAP Dimension 2")

legend_elements = [Line2D([0], [0], marker=marker_styles[i % len(marker_styles)], color='w', 
                          markerfacecolor=color_map[label], markersize=10, label=label)
                   for i, label in enumerate(unique_labels)]
plt.legend(
    handles=legend_elements,
    title="Literature",
    loc="lower center",
    bbox_to_anchor=(0.5, -0.2),  # Position it just below the plot
    ncol=len(unique_labels),      # Arrange legend items in a single row
    frameon=False                 # Optional: Remove legend box frame
)
# Adjust layout to ensure the legend is not clipped
plt.tight_layout()

# Step 11: Save the plot in high resolution
plt.savefig('word_embeddings_kmeans.png', dpi=600, bbox_inches='tight')

# Show the plot
plt.show()

import torch
from transformers import AutoModel, AutoTokenizer
import pandas as pd
import numpy as np
from sklearn.metrics.pairwise import cosine_similarity

plt.clf()

plt.style.use('seaborn-v0_8-whitegrid')  # You can change this to any available style

plt.rcParams['font.family'] = 'serif'

# Define the sets of words

# Combine all sets into a single list with labels
word_sets = sets

word_sets = {label: {word.lower() for word in words} for label, words in word_sets.items()}

# Load model and tokenizer
model_name = "jinaai/jina-embeddings-v3"
if 'model' not in locals() or 'tokenizer' not in locals():
    print("Loading model and tokenizer...")
    model = AutoModel.from_pretrained(model_name, trust_remote_code=True)
    tokenizer = AutoTokenizer.from_pretrained(model_name)
else:
    print("Model and tokenizer are already loaded.")
Model and tokenizer are already loaded.
# Function to get embedding for a word
def get_embedding(word):
    inputs = tokenizer(word, return_tensors="pt")
    outputs = model(**inputs)
    return outputs.last_hidden_state.mean(dim=1).detach().numpy()

# Collect embeddings
embeddings = []
words = []
labels = []

for label, words_set in word_sets.items():
    for word in words_set:
        embedding = get_embedding(word)
        embeddings.append(embedding)
        words.append(word)
        labels.append(label)

# Create a DataFrame with words, labels, and embeddings
embedding_df = pd.DataFrame({
    "Word": words,
    "Label": labels,
    "Embedding": [emb[0] for emb in embeddings]
})

# Pivot the DataFrame to have the set labels as columns
pivoted_df = embedding_df.pivot(index="Word", columns="Label", values="Embedding")

# Flatten the embeddings (if you want to display them properly as vectors, you might want to separate them)
# Convert the embedding vectors to string for display purposes (or keep them as arrays if you're working with them in computations)
pivoted_df = pivoted_df.applymap(lambda x: str(x.tolist()) if isinstance(x, np.ndarray) else x)
<string>:4: FutureWarning: DataFrame.applymap has been deprecated. Use DataFrame.map instead.
# Display the pivoted DataFrame
print(pivoted_df)
Label                     Bajta  ...                                              Usman
Word                             ...                                                   
absolute                    NaN  ...                                                NaN
accessibility level         NaN  ...                                                NaN
accuracy level.value        NaN  ...  [1.221323013305664, -2.9064228534698486, 0.267...
accuracy measure.not used   NaN  ...  [0.8682874441146851, -2.1167731285095215, 0.68...
accuracy measure.other      NaN  ...  [1.2351722717285156, -2.535403251647949, 1.183...
...                         ...  ...                                                ...
web objects                 NaN  ...                                                NaN
web page allocation         NaN  ...                                                NaN
web page count              NaN  ...                                                NaN
web software application    NaN  ...                                                NaN
work team level             NaN  ...                                                NaN

[346 rows x 6 columns]

#3D PLOT

import plotly.express as px
import pandas as pd
import numpy as np
import torch
from transformers import AutoModel, AutoTokenizer
import umap.umap_ as umap
from sklearn.preprocessing import LabelEncoder
import matplotlib.pyplot as plt

plt.clf()

plt.style.use('seaborn-v0_8-whitegrid')  # You can change this to any available style

plt.rcParams['font.family'] = 'serif'
# Step 2: Flatten the sets into a dataframe (assuming sets is already defined)
words = []
labels = []
for label, words_set in sets.items():
    for word in words_set:
        words.append(word)
        labels.append(label)

# Create a dataframe
df = pd.DataFrame({'Word': words, 'Set': labels})

# Step 3: Load the pre-trained model and tokenizer
model_name = "jinaai/jina-embeddings-v3"
if 'model' not in locals() or 'tokenizer' not in locals():
    print("Loading model and tokenizer...")
    model = AutoModel.from_pretrained(model_name, trust_remote_code=True)
    tokenizer = AutoTokenizer.from_pretrained(model_name)
else:
    print("Model and tokenizer are already loaded.")
Model and tokenizer are already loaded.
# Step 4: Get the embeddings for each word
def get_embeddings(word):
    inputs = tokenizer(word, return_tensors="pt", truncation=True, padding=True)
    with torch.no_grad():
        outputs = model(**inputs)
    return outputs.last_hidden_state.mean(dim=1).squeeze().numpy()

embeddings = np.array([get_embeddings(word) for word in df['Word']])

# Step 5: Perform 3D UMAP (with 3 components)
umap_model = umap.UMAP(n_components=3, random_state=5)
embeddings_3d = umap_model.fit_transform(embeddings)
C:\Users\mysit\AppData\Local\Programs\Python\Python39\lib\site-packages\umap\umap_.py:1952: UserWarning:

n_jobs value 1 overridden to 1 by setting random_state. Use no seed for parallelism.
# Step 6: Convert string labels to numeric labels for coloring
label_encoder = LabelEncoder()
numeric_labels = label_encoder.fit_transform(labels)

# Step 7: Create the interactive 3D plot with Plotly
fig = px.scatter_3d(df, x=embeddings_3d[:, 0], y=embeddings_3d[:, 1], z=embeddings_3d[:, 2],
                    color=labels, text=words,
                    labels={'x': 'UMAP Dimension 1', 'y': 'UMAP Dimension 2', 'z': 'UMAP Dimension 3'},
                    title="3D UMAP Visualization of Word Embeddings")

# Customize the layout for better viewing
fig.update_traces(marker=dict(size=5, opacity=0.8), selector=dict(mode='markers+text'))
fig.update_layout(scene=dict(xaxis_title='UMAP Dimension 1',
                             yaxis_title='UMAP Dimension 2',
                             zaxis_title='UMAP Dimension 3'))
plt.savefig('3d_word_embedding.png', dpi=300, bbox_inches='tight')

# Show the interactive plot
fig.show()

Another table showing the common words between papers, a bit harder to read #The defining one. Needed to execute the following chunks of code

import torch
from transformers import AutoModel, AutoTokenizer
import pandas as pd
import numpy as np
from sklearn.metrics.pairwise import cosine_similarity

plt.clf()

plt.style.use('seaborn-v0_8-whitegrid')  # You can change this to any available style

plt.rcParams['font.family'] = 'serif'

# Define the sets of words
sets=sets


# Load the pre-trained model and tokenizer
model_name = "jinaai/jina-embeddings-v3"
if 'model' not in locals() or 'tokenizer' not in locals():
    print("Loading model and tokenizer...")
    model = AutoModel.from_pretrained(model_name, trust_remote_code=True)
    tokenizer = AutoTokenizer.from_pretrained(model_name)
else:
    print("Model and tokenizer are already loaded.")
Model and tokenizer are already loaded.
# Function to normalize text to lowercase
def normalize_words(words):
    return {word.lower() for word in words}

# Normalize all words in the sets to lowercase
normalized_sets = {set_name: normalize_words(word_set) for set_name, word_set in sets.items()}

# Function to get embeddings for a list of words
def get_embeddings(words):
    inputs = tokenizer(list(words), padding=True, truncation=True, return_tensors='pt')
    with torch.no_grad():
        embeddings = model(**inputs).last_hidden_state.mean(dim=1)  # Mean pooling
    return embeddings

# Create a dictionary to store the embeddings of each set
embeddings = {}
for set_name, word_set in normalized_sets.items():
    embeddings[set_name] = get_embeddings(word_set)

# Create a function to calculate the semantic similarity between sets
def compute_similarity(set1, set2):
    # Get the embeddings for both sets
    embeddings1 = embeddings[set1]
    embeddings2 = embeddings[set2]
    
    # Calculate cosine similarity between all pairs of words in set1 and set2
    sim_matrix = cosine_similarity(embeddings1, embeddings2)
    
    return sim_matrix

# Create a similarity matrix for each pair of sets
similarity_results = {}
for set1 in normalized_sets.keys():
    for set2 in normalized_sets.keys():
        if set1 != set2:
            sim_matrix = compute_similarity(set1, set2)
            similarity_results[(set1, set2)] = sim_matrix

# Create a simple table to store the similarity values
similarity_table = []

# Populate the table with word pairs and their cosine similarity values
for (set1, set2), sim_matrix in similarity_results.items():
    for i, word1 in enumerate(normalized_sets[set1]):
        for j, word2 in enumerate(normalized_sets[set2]):
            similarity_table.append({
                "Set 1": set1,
                "Word 1": word1,
                "Set 2": set2,
                "Word 2": word2,
                "Cosine Similarity": sim_matrix[i, j]
            })

# Convert the table to a DataFrame for better display
similarity_df = pd.DataFrame(similarity_table)

# Filter the DataFrame to keep only cosine similarities above 0.7
similarity_df_filtered = similarity_df[similarity_df['Cosine Similarity'] > 0]

# Create an empty table to store the words that are similar
common_words_table = pd.DataFrame(index=sets.keys(), columns=sets.keys(), dtype=object)

# Populate the table with word pairs that have similarity above 0.7
for index, row in similarity_df_filtered.iterrows():
    set1 = row['Set 1']
    word1 = row['Word 1']
    set2 = row['Set 2']
    word2 = row['Word 2']
    
    # Check if the cell is empty or needs to be updated with word pairs
    if pd.isna(common_words_table.at[set1, set2]):
        common_words_table.at[set1, set2] = f"{word1} - {word2}"
    else:
        common_words_table.at[set1, set2] += f", {word1} - {word2}"

# Display the table showing the common word pairs
print(common_words_table)
                                                         Bajta  ...                                              Usman
Bajta                                                      NaN  ...  variation reduction - team size.value, variati...
Britto_2017  information slot count - variation reduction, ...  ...  information slot count - team size.value, info...
Britto_2016  estimation stage.early - variation reduction, ...  ...  estimation stage.early - team size.value, esti...
Dashti       analogy-based - variation reduction, analogy-b...  ...  analogy-based - team size.value, analogy-based...
Mendes       functionality - variation reduction, functiona...  ...  functionality - team size.value, functionality...
Usman        team size.value - variation reduction, team si...  ...                                                NaN

[6 rows x 6 columns]

making a color table

import pandas as pd
from pandas.io.formats.style import Styler

# Step 1: Define the color map for each set
set_colors = {
    "Bajta": "yellow",
    "Britto_2016": "blue",
    "Britto_2017": "green",
    "Dashti": "red",
    "Mendes": "purple",
    "Usman": "orange"
}

# Create the HTML content for the legend
legend_html = "<div style='font-weight: bold; margin-bottom: 10px;'>Legend:</div>"
for set_name, color in set_colors.items():
    legend_html += f"<div><span style='color:{color};'>●</span> {set_name}</div>"


# Step 2: Create the common words table (we will assume this step has already been completed and filtered)
common_words_table = pd.DataFrame(index=sets.keys(), columns=["Words", "Relations"])

# Step 3: Populate the common words table with colored word pairs
for index, row in similarity_df_filtered.iterrows():
    set1 = row['Set 1']
    word1 = row['Word 1']
    set2 = row['Set 2']
    word2 = row['Word 2']
    
    # Color the words based on the sets
    word1_colored = f'<span style="color:{set_colors[set1]}">{word1}</span>'
    word2_colored = f'<span style="color:{set_colors[set2]}">{word2}</span>'
    
    # Find the row corresponding to set1
    current_row = common_words_table.loc[set1]
    
    if pd.isna(current_row['Words']):
        common_words_table.at[set1, 'Words'] = word1
        common_words_table.at[set1, 'Relations'] = word2_colored
    else:
        common_words_table.at[set1, 'Words'] += f", {word1}"
        common_words_table.at[set1, 'Relations'] += f", {word2_colored}"

# Step 4: Use `map` to apply the coloring function
def colorize_words(word):
    """
    Function to apply color to words using the <span> HTML tag.
    """
    return f"color: {word.split(':')[1]}" if isinstance(word, str) and word.startswith('<span') else ''

# Step 5: Apply the styling to the DataFrame
styled_table = common_words_table.style.applymap(colorize_words, subset=["Words", "Relations"])
<string>:3: FutureWarning:

Styler.applymap has been deprecated. Use Styler.map instead.
# Display the styled table (if using Jupyter or IPython environment)
styled_table
  Words Relations
Bajta variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, design, design, design, design, design, design, design, design, design, design, design, design, design, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, security, security, security, security, security, security, security, security, security, security, security, security, security, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, design, design, design, design, design, design, design, design, design, design, design, design, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, security, security, security, security, security, security, security, security, security, security, security, security, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, variation reduction, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, staff/cost, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, non-machine learning, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, conceptualization, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, delphi, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, size report, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, machine learning, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, baseline comparison, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, number of sites.value, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, telecommunication, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, capability maturity model integration, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, group-based estimation, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, actual cost.value, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, statistics analysis, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, estimated value, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, socio-cultural distance, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, feasibility study, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, sensitivity analysis, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, individual, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, near offshore, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, team experience.considered, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, producte requirement.other, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, preliminary planning, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, distant onshore, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, effort hours, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, geographical distance, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, systems engineering, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, system investigation, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, far offshore, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, hardware, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, team experience.not considered, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, close onshore, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, fuzzy similar, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, team structure.considered, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, genetic algorithms, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, risk, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, portfolio, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, team structure.not considered, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, finance, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, agile, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, number of team members, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, project activities.other, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, detail planning, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, healthcare, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, project domain.other, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, execution, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, case-based reasoning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, commissioning, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other, planning approaches.other information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security
Britto_2017 information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, information slot count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, indifferent concern count, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, operational mode, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, reused high feature count, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, it literacy, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, class complexity, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, concern module count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, use case count, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, cohesion, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, structure, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, software reuse, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, component count, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, requirements volatility level, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, program count, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, common software measurement international consortium, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, technical factors, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, module count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, client script count, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, mapped workflows, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, collection slot size, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, slot granularity level, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, processing requirements, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, experience level, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, node slot size, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, resource level, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, adaptation complexity, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, requirements clarity level, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, rapid app development, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, anchor count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, comment count, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, project management level, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, slot count, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, client.personality, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, model slot size, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data web points, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, data usage complexity, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, innovation level, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, section count, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, international function point users group, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media allocation, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, reused media count, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, web objects, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, entity count, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, programming language experience level, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, integration with legacy systems, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, web page count, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, usability level, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, web page allocation, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, lessons learned repository, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, reused program count, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, availability level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, oo experience level, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, segment count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, new web page count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, reused component count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, diffusion cut count, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, concurrency level, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, association center slot count, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, reliability level, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, number of programming languages, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, media count, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, risk level, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, stratum, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, module attribute count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, link count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, attribute count, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, page complexity, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, model node size, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, tool experience level, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, node count, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, media allocation, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, feature count, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, storage constraint, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, trainability level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, difficulty level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, quality level, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, cluster slot count, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, spi program, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, model collection complexity, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, development restriction, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, reusability level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, domain experience level, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, semantic association count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, concern operation count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, new media count, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, metrics’ program, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, memory efficiency level, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, concern coupling, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, software development experience, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, operation count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, high feature count, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, component granularity level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, stability level, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, server script count, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, control flow complexity, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, accessibility level, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, team capability, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, publishing model unit count, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, cohesion complexity, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, requirements novelty level, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, publishing unit count, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, media duration, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component slot count, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, component complexity, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, low feature count, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, product.type, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, security level, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, cluster count, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, time efficiency level, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, focus factor, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, process efficiency level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, platform volatility level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, portability level, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, inner/sub concern count, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, modularity level, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, number of projects in parallel, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, motivation level, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, class coupling, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, architecture, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, maintainability level, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, interface complexity, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, cluster node size, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, authoring tool type, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, cyclomatic complexity, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, deployment platform experience level, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, infrastructure, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, model link complexity, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, module point cut count, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, in-house experience, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, time restriction, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, flexibility level, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, compactness, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, association slot size, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, data flow complexity, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, novelty level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, documentation level, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, output complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, layout complexity, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, platform support level, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, statement count, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, testability level, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, connectivity density, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, installability level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, robustness level, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, project.type, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, total complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, model association complexity, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, lines of code, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, object-oriented function points, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, communication level, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, team size, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, design volatility, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, readability level, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, collection center slot count, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused lines of code, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, reused comment count, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, productivity level, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, input complexity, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, scalability level, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, object-oriented heuristic function points, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, reused low feature count, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, work team level, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, new complexity, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size, database size variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security
Britto_2016 estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, location, location, location, location, location, location, location, location, location, location, location, location, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, estimation stage.early, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, temporal distance, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, location, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, semi-distributed, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, estimation stage.late, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, distributed, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, provider, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, estimation stage.early & late, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, geographic distance, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, centralized, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider, estimator & provider variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security
Dashti analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, analogy-based, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, expert judgment, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, swarm, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, legal entity, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, constructive cost model, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, fuzzy logic, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, ai-combined hybrid, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, evolutionary, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, basic-combination, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software evaluation and estimation for risk, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, software life cycle management, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks, artificial neural networks variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security
Mendes functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, media, media, media, media, media, media, media, media, media, media, media, media, media, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, length, length, length, length, length, length, length, length, length, length, length, length, length, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, media, media, media, media, media, media, media, media, media, media, media, media, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, length, length, length, length, length, length, length, length, length, length, length, length, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, functionality, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ordinal, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, ratio, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated empirically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, validated theoretically, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, nominal, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, media, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, nonspecific, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, web hypermedia application, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, length, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, validation.none, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, late size metric, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, program/sript, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, problem-oriented metric, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, direct, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, interval, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, absolute, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, complexity, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, early size metric, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, web application, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, motivation, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, validation.both, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, web software application, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, solution-oriented metric, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, specific, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect, indirect variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security, team size.value, implementation, estimate value(s), team's prior experience.not considered, team's prior experience.considered, point type, retail/wholesale, reliability, planning poker, scrum, customer communication.not considered, considered without any metric, planning level.sprint, bias of relative error, house/days, distributed: close onshore, use case points method, customized extreme programming, mean magnitude of relative error, health, project somain.other, distributed: near offshore, availability, distributed: distant onshore, transportation, team's skill level.not considered, financial, pair/days, non functional requirements.not considered, other effort predictors, performance, accuracy measure.other, extreme programming, number of entities estimated, accuracy level.value, crystal, planning level.release, analogy, feature-driven development, planning level.daily, other type, user story, analysis, median magnitude of relative error, accuracy measure.not used, distributed teams.considered, distributed teams.not considered, distributed teams.not applicable, unit.other, planning level.bidding, type.group, non functional requirements.other, estimation technique.other, government/military, team's skill level.considered, education, communications industry, function points, kanban, distribution type, project setting.co-located, testing, distributed: far offshore, type.single, actual effort.value, maintenance, dynamic systems development method, story points, maintainability, use case, customer communication.considered, estimated activities.all, task, ideal hours, user case points, design, customized scrum, expert judgement, estimation entity.other, manufacturing, three point type, not used effort predictors, security
Usman team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, health, health, health, health, health, health, health, health, health, health, health, health, health, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, education, education, education, education, education, education, education, education, education, education, education, education, education, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, task, task, task, task, task, task, task, task, task, task, task, task, task, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, design, design, design, design, design, design, design, design, design, design, design, design, design, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, security, security, security, security, security, security, security, security, security, security, security, security, security, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, health, health, health, health, health, health, health, health, health, health, health, health, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, education, education, education, education, education, education, education, education, education, education, education, education, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, task, task, task, task, task, task, task, task, task, task, task, task, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, design, design, design, design, design, design, design, design, design, design, design, design, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, security, security, security, security, security, security, security, security, security, security, security, security, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, team size.value, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, implementation, estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), estimate value(s), team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.not considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, team's prior experience.considered, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, point type, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, retail/wholesale, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, reliability, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, planning poker, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, scrum, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, customer communication.not considered, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, considered without any metric, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, planning level.sprint, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, bias of relative error, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, house/days, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, distributed: close onshore, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, use case points method, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, customized extreme programming, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, mean magnitude of relative error, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, health, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, project somain.other, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, distributed: near offshore, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, availability, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, distributed: distant onshore, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, transportation, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, team's skill level.not considered, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, financial, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, pair/days, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, non functional requirements.not considered, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, other effort predictors, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, performance, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, accuracy measure.other, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, extreme programming, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, number of entities estimated, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, accuracy level.value, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, crystal, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, planning level.release, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, analogy, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, feature-driven development, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, planning level.daily, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, other type, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, user story, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, analysis, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, median magnitude of relative error, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, accuracy measure.not used, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not considered, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, distributed teams.not applicable, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, unit.other, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, planning level.bidding, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, type.group, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, non functional requirements.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, estimation technique.other, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, government/military, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, team's skill level.considered, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, education, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, communications industry, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, function points, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, kanban, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, distribution type, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, project setting.co-located, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, testing, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, distributed: far offshore, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, type.single, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, actual effort.value, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, maintenance, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, dynamic systems development method, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, story points, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, maintainability, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, use case, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, customer communication.considered, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, estimated activities.all, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, task, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, ideal hours, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, user case points, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, design, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, customized scrum, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, expert judgement, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, estimation entity.other, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, manufacturing, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, three point type, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, not used effort predictors, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security, security variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, variation reduction, maintainability, staff/cost, non-machine learning, conceptualization, delphi, size report, machine learning, baseline comparison, availability, number of sites.value, telecommunication, temporal distance, capability maturity model integration, group-based estimation, actual cost.value, statistics analysis, estimated value, socio-cultural distance, implementation, feasibility study, sensitivity analysis, individual, constructive cost model, near offshore, performance, team experience.considered, producte requirement.other, preliminary planning, distant onshore, effort hours, expert judgment, geographical distance, systems engineering, system investigation, design, far offshore, hardware, reliability, team experience.not considered, close onshore, fuzzy similar, team structure.considered, genetic algorithms, risk, portfolio, security, team structure.not considered, finance, agile, number of team members, project activities.other, testing, detail planning, healthcare, project domain.other, execution, case-based reasoning, commissioning, maintenance, analysis, planning approaches.other, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, information slot count, indifferent concern count, operational mode, reused high feature count, it literacy, class complexity, concern module count, use case count, cohesion, structure, software reuse, component count, requirements volatility level, program count, common software measurement international consortium, technical factors, module count, client script count, mapped workflows, collection slot size, slot granularity level, processing requirements, experience level, node slot size, resource level, adaptation complexity, requirements clarity level, rapid app development, anchor count, comment count, project management level, slot count, client.personality, model slot size, data web points, data usage complexity, innovation level, section count, international function point users group, reused media allocation, reused media count, web objects, entity count, programming language experience level, integration with legacy systems, web page count, usability level, web page allocation, lessons learned repository, reused program count, availability level, oo experience level, segment count, new web page count, reused component count, diffusion cut count, concurrency level, association center slot count, reliability level, number of programming languages, media count, risk level, stratum, module attribute count, link count, attribute count, page complexity, model node size, tool experience level, node count, media allocation, feature count, storage constraint, trainability level, difficulty level, quality level, cluster slot count, spi program, model collection complexity, development restriction, reusability level, domain experience level, semantic association count, concern operation count, new media count, metrics’ program, memory efficiency level, concern coupling, software development experience, operation count, high feature count, component granularity level, stability level, server script count, control flow complexity, accessibility level, team capability, publishing model unit count, cohesion complexity, requirements novelty level, publishing unit count, media duration, component slot count, component complexity, low feature count, product.type, security level, cluster count, time efficiency level, focus factor, process efficiency level, platform volatility level, portability level, inner/sub concern count, modularity level, number of projects in parallel, motivation level, class coupling, architecture, maintainability level, interface complexity, cluster node size, authoring tool type, cyclomatic complexity, deployment platform experience level, infrastructure, model link complexity, module point cut count, in-house experience, time restriction, flexibility level, compactness, association slot size, data flow complexity, novelty level, documentation level, output complexity, layout complexity, platform support level, statement count, testability level, connectivity density, installability level, robustness level, project.type, total complexity, model association complexity, lines of code, object-oriented function points, communication level, team size, design volatility, readability level, collection center slot count, reused lines of code, reused comment count, productivity level, input complexity, scalability level, object-oriented heuristic function points, reused low feature count, work team level, new complexity, database size, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, estimation stage.early, temporal distance, location, semi-distributed, estimation stage.late, distributed, provider, estimation stage.early & late, legal entity, geographic distance, centralized, estimator, estimator & provider, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, analogy-based, expert judgment, swarm, legal entity, constructive cost model, fuzzy logic, ai-combined hybrid, evolutionary, basic-combination, software evaluation and estimation for risk, software life cycle management, artificial neural networks, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect, functionality, ordinal, ratio, validated empirically, validated theoretically, nominal, media, nonspecific, web hypermedia application, length, validation.none, late size metric, program/sript, problem-oriented metric, direct, interval, absolute, complexity, early size metric, web application, motivation, validation.both, web software application, solution-oriented metric, specific, indirect
# Save the styled table to an HTML file using to_html()
html_output = styled_table.to_html()
html_output = legend_html + "<br>" + html_output

# Specify the filename where you want to save the table
file_path = 'colored_table.html'

# Write the HTML content to the file
with open(file_path, 'w') as file:
    file.write(html_output)
6612092
print(f"Styled table saved to {file_path}")
Styled table saved to colored_table.html

New table

import pandas as pd
from openpyxl import Workbook
from openpyxl.styles import Font, Alignment
from openpyxl.utils.dataframe import dataframe_to_rows
from openpyxl.styles.colors import Color
from bs4 import BeautifulSoup

from collections import defaultdict

# Define the color map for sets
set_colors = {
    "Bajta": "#66c2a5",  # Light green
    "Britto_2016": "#fc8d62",  # Orange
    "Britto_2017": "#8da0cb",  # Blue
    "Dashti": "#e78ac3",  # Pink
    "Mendes": "#a6d854",  # Light green
    "Usman": "#ff7f00"  # Dark orange
}


# Initialize a dictionary to store words grouped by similarity
grouped_words = defaultdict(set)

# Iterate over the similarity dataframe

similarity_df_filtered.loc[similarity_df_filtered["Set 1"] == "Bajta", "Word 1"].unique()
array(['variation reduction', 'maintainability', 'staff/cost',
       'non-machine learning', 'conceptualization', 'delphi',
       'size report', 'machine learning', 'baseline comparison',
       'availability', 'number of sites.value', 'telecommunication',
       'temporal distance', 'capability maturity model integration',
       'group-based estimation', 'actual cost.value',
       'statistics analysis', 'estimated value',
       'socio-cultural distance', 'implementation', 'feasibility study',
       'sensitivity analysis', 'individual', 'constructive cost model',
       'near offshore', 'performance', 'team experience.considered',
       'producte requirement.other', 'preliminary planning',
       'distant onshore', 'effort hours', 'expert judgment',
       'geographical distance', 'systems engineering',
       'system investigation', 'design', 'far offshore', 'hardware',
       'reliability', 'team experience.not considered', 'close onshore',
       'fuzzy similar', 'team structure.considered', 'genetic algorithms',
       'risk', 'portfolio', 'security', 'team structure.not considered',
       'finance', 'agile', 'number of team members',
       'project activities.other', 'testing', 'detail planning',
       'healthcare', 'project domain.other', 'execution',
       'case-based reasoning', 'commissioning', 'maintenance', 'analysis',
       'planning approaches.other'], dtype=object)
similarity=0.9
for index, row in similarity_df_filtered.iterrows():
    if row['Cosine Similarity'] >= similarity:
        word1 = row['Word 1']
        word2 = row['Word 2']
        set1 = row['Set 1']
        set2 = row['Set 2']
        
        # Add words to the grouped dictionary with their respective sets
        grouped_words[word1].add(set1)
        grouped_words[word2].add(set2)

# Prepare the data for the final table
table_rows = []
for word, sets in grouped_words.items():
    # Color the words based on the sets they belong to
    color_coded_words = []
    for set_name in sets:
        # Assign the color based on the set
        color = set_colors[set_name]
        colored_word = f'<span style="color:{color}">{word}</span>'
        color_coded_words.append(colored_word)
    
    # Prepare the row for this word and its sets
    sets_str = ", ".join([f'<span style="color:{set_colors[set_name]}">{set_name}</span>' for set_name in sets])
    table_rows.append({
        "Categories": ", ".join(color_coded_words),  # Join words with their color applied
        "Taxonomies": sets_str  # Color-coded sets
    })

# Convert to a DataFrame
final_table = pd.DataFrame(table_rows)

# Collapse the table by the "Sets" column, merging words that have the same "Sets"
collapsed_table = final_table.groupby('Taxonomies', as_index=False).agg({
    'Categories': lambda x: ''.join(
        [f'<div style="text-align:center;">{word.title()}</div>' for word in sorted(x.str.cat(sep=', ').split(', '))]
    )  # Capitalize, center-align each word, and add line breaks
})


# Display the collapsed table with HTML rendering
table_title = f"<h1>Grouped Words with Color-Coded Taxonomies (Similarity ≥ {similarity})</h1>"

collapsed_html_output_table = collapsed_table.to_html(escape=False)  # escape=False allows HTML in the table

collapsed_html_output = table_title + collapsed_html_output_table


# Save the collapsed HTML output to a file
collapsed_file_path = 'collapsed_grouped_words_table_colored.html'
with open(collapsed_file_path, 'w') as file:
    file.write(collapsed_html_output)
6198
print(f"Collapsed styled table saved to {collapsed_file_path}")
Collapsed styled table saved to collapsed_grouped_words_table_colored.html
# Save the Excel file with colors
excel_file_path = 'collapsed_grouped_words_table_colored.xlsx'
wb = Workbook()
ws = wb.active
ws.title = "Colored Table"

# Write the header
header = list(collapsed_table.columns)
ws.append(header)

# Write the rows with formatting
for row in collapsed_table.itertuples(index=False):
    # Parse "Categories" HTML for coloring
    categories_cell = row.Categories
    taxonomies_cell = row.Taxonomies

    # Parse HTML using BeautifulSoup
    soup = BeautifulSoup(categories_cell, "html.parser")
    formatted_words = []
    for div in soup.find_all('div'):
        word = div.text.strip()
        style = div.get('style', '')
        color = None
        if 'color:' in style:
            color = style.split('color:')[1].split(';')[0].strip()
        formatted_words.append((word, color))
    
    # Create the row for Excel
    ws_row = [None] * len(header)
    ws_row[0] = formatted_words  # Categories with colors
    ws_row[1] = taxonomies_cell  # Taxonomies plain text

    # Write the row to the sheet
    row_num = ws.max_row + 1
    for col_num, value in enumerate(ws_row, start=1):
        cell = ws.cell(row=row_num, column=col_num)
        if col_num == 1 and value:  # Apply formatting to "Categories"
            for word, color in value:
                cell.value = word
                cell.alignment = Alignment(horizontal="center", wrap_text=True)
                if color:
                    cell.font = Font(color=color)
        else:
            cell.value = value

# Save Excel file
wb.save(excel_file_path)
print(f"Excel file saved to {excel_file_path}")
Excel file saved to collapsed_grouped_words_table_colored.xlsx

Colorless table

import pandas as pd
from openpyxl import Workbook

# Prepare the data for the final table (no grouping by cosine similarity or color coding)
table_rows = []
for index, row in similarity_df_filtered.iterrows():
    word1 = row['Word 1']
    set1 = row['Set 1']
    
    # Add the word and its associated taxonomy
    table_rows.append({
        "Categories": word1.capitalize(),  # Capitalize the word
        "Taxonomies": set1    # The taxonomy (set)
    })

# Convert to a DataFrame
final_table = pd.DataFrame(table_rows)

# Collapse the table by the "Taxonomies" column, merging words that have the same "Taxonomies" and removing duplicates
collapsed_table = final_table.groupby('Taxonomies', as_index=False).agg({
    'Categories': lambda x: ', '.join(sorted(set(x)))  # Remove duplicates by converting to set and sort alphabetically
})

# Now we need to group the words in "Categories" by their starting letter
def group_by_first_letter(categories):
    # Split categories into a list
    words = categories.split(', ')
    # Group words by the first letter
    grouped = {}
    for word in words:
        first_letter = word[0].upper()  # Get the first letter and capitalize it
        if first_letter not in grouped:
            grouped[first_letter] = []
        grouped[first_letter].append(word)
    
    # Sort each group alphabetically
    for letter in grouped:
        grouped[letter] = sorted(grouped[letter])

    # Create the formatted string with bold letter and line breaks
    formatted_output = ""
    for letter, words in sorted(grouped.items()):
        # Bold the first letter and add a line break after each group
        formatted_output += f"<b>{letter}:</b> {', '.join(words)}<br><br>"
    
    return formatted_output

# Apply the grouping function to the "Categories" column
collapsed_table['Categories'] = collapsed_table['Categories'].apply(group_by_first_letter)

# Display the collapsed table without HTML rendering (plain table)
collapsed_html_output_table = collapsed_table.to_html(escape=False)  # escape=False if any HTML is present

# Save the collapsed HTML output to a file
collapsed_file_path = 'collapsed_grouped_words_table_grouped_bold.html'
with open(collapsed_file_path, 'w') as file:
    file.write(collapsed_html_output_table)
9117
print(f"Collapsed grouped table saved to {collapsed_file_path}")
Collapsed grouped table saved to collapsed_grouped_words_table_grouped_bold.html
# Save the Excel file (plain, no color formatting)
excel_file_path = 'collapsed_grouped_words_table_grouped_bold.xlsx'
wb = Workbook()
ws = wb.active
ws.title = "Grouped Table"

# Write the header
header = list(collapsed_table.columns)
ws.append(header)

# Write the rows without any color formatting
for row in collapsed_table.itertuples(index=False):
    ws_row = [row.Categories, row.Taxonomies]
    ws.append(ws_row)

# Save Excel file
wb.save(excel_file_path)
print(f"Excel file saved to {excel_file_path}")
Excel file saved to collapsed_grouped_words_table_grouped_bold.xlsx

Improving the color table

import pandas as pd
import numpy as np
from matplotlib import cm

# Define the colormap
viridis_colormap = cm.Set2(np.linspace(0, 1, 6))  # Get 6 distinct colors from the colormap

# Create a color mapping based on the viridis colormap
color_mapping = {
    "Bajta": f'rgb({int(viridis_colormap[0, 0]*255)}, {int(viridis_colormap[0, 1]*255)}, {int(viridis_colormap[0, 2]*255)})',
    "Britto_2016": f'rgb({int(viridis_colormap[1, 0]*255)}, {int(viridis_colormap[1, 1]*255)}, {int(viridis_colormap[1, 2]*255)})',
    "Britto_2017": f'rgb({int(viridis_colormap[2, 0]*255)}, {int(viridis_colormap[2, 1]*255)}, {int(viridis_colormap[2, 2]*255)})',
    "Dashti": f'rgb({int(viridis_colormap[3, 0]*255)}, {int(viridis_colormap[3, 1]*255)}, {int(viridis_colormap[3, 2]*255)})',
    "Mendes": f'rgb({int(viridis_colormap[4, 0]*255)}, {int(viridis_colormap[4, 1]*255)}, {int(viridis_colormap[4, 2]*255)})',
    "Usman": f'rgb({int(viridis_colormap[5, 0]*255)}, {int(viridis_colormap[5, 1]*255)}, {int(viridis_colormap[5, 2]*255)})'
}

# Create an empty DataFrame to store the new table
colored_words_table = pd.DataFrame(index=sets.keys(), columns=["Words"])

# Iterate through the filtered similarity DataFrame to populate the colored table
for index, row in similarity_df_filtered.iterrows():
    set1 = row['Set 1']
    word1 = row['Word 1']
    set2 = row['Set 2']
    word2 = row['Word 2']
    
    # Apply colors to words
    colored_word1 = f'<span style="color: {color_mapping[set1]}">{word1}</span>'
    colored_word2 = f'<span style="color: {color_mapping[set2]}">{word2}</span>'
    
    # For each set, append the related words in colored format
    for set_name in sets.keys():
        if set_name == set1:
            current_words = colored_words_table.at[set_name, "Words"]
            new_entry = f"{colored_word1} --> {colored_word2}"
            if pd.isna(current_words):
                colored_words_table.at[set_name, "Words"] = new_entry
            else:
                # Add the new entry and sort all entries alphabetically
                current_entries = current_words.split("<br>")
                current_entries.append(new_entry)
                sorted_entries = sorted(current_entries, key=lambda x: x.lower())  # Sort alphabetically (case insensitive)
                colored_words_table.at[set_name, "Words"] = "<br>".join(sorted_entries)

# Generate the legend HTML
legend_html = "<div><strong>Legend:</strong><br>"
for set_name, color in color_mapping.items():
    legend_html += f'<span style="background-color: {color}; padding: 5px; color: white; margin-right: 10px;">{set_name}</span>'
legend_html += "</div><br>"

# Convert the DataFrame to an HTML string, preserving the inline style
html_output = legend_html + colored_words_table.to_html(escape=False)

# Specify the filename where you want to save the table
file_path = 'colored_table_with_breaks_and_sorted.html'

# Write the HTML content to the file
with open(file_path, 'w') as file:
    file.write(html_output)

print(f"Styled and sorted table saved to {file_path}")
import pandas as pd

# Define the color for each set
set_colors = {
    "Bajta": "yellow",
    "Britto_2016": "blue",
    "Britto_2017": "green",
    "Dashti": "red",
    "Mendes": "purple",
    "Usman": "orange"
}

# Define the word pairs between sets (example, based on your actual word pairs)
# The format will be like (Set name, Word, Related Set, Related Word)
word_pairs = [
    ("Bajta", "word1", "Britto_2016", "word2"),
    ("Bajta", "word3", "Britto_2017", "word4"),
    ("Britto_2016", "word5", "Dashti", "word6"),
    ("Mendes", "word7", "Usman", "word8"),
    # Add more word pairs here as needed
]

# Create a dictionary to hold the word pairs for each set
word_dict = {set_name: [] for set_name in set_colors.keys()}

# Fill the word dictionary with word pairs
for set1, word1, set2, word2 in word_pairs:
    word_dict[set1].append(f"<span style='color:{set_colors[set1]};'>{word1}</span>")
    word_dict[set2].append(f"<span style='color:{set_colors[set2]};'>{word2}</span>")

# Create a DataFrame to store the table data
# Each row will represent a set and the column will contain the words in that set
table_data = []

# For each set, add the words it contains and their related words from other sets
for set_name, words in word_dict.items():
    related_words = ', '.join(words)
    table_data.append([set_name, related_words])

# Convert the data to a DataFrame
df = pd.DataFrame(table_data, columns=["Set", "Related Words"])

# Function to style the table (custom colorize applied already in the word pairs)
def colorize_table(val):
    return val  # No extra styling is needed as the words are already colored

# Apply the style
styled_table = df.style.applymap(colorize_table)

# Add the legend at the top (HTML)
legend_html = "<div style='font-weight: bold; margin-bottom: 10px;'>Legend:</div>"
for set_name, color in set_colors.items():
    legend_html += f"<div><span style='color:{color};'>●</span> {set_name}</div>"

# Convert the styled table to HTML (use to_html instead of render)
html_output = styled_table.to_html()

# Combine the legend and the table
full_html_output = legend_html + "<br>" + html_output

# Specify the filename where you want to save the table
file_path = 'colored_table_with_legend.html'

# Write the combined HTML (legend + table) to the file
with open(file_path, 'w') as file:
    file.write(full_html_output)

print(f"Styled table with legend saved to {file_path}")

t sne

from sklearn.manifold import TSNE
import matplotlib.pyplot as plt
from adjustText import adjust_text
import numpy as np
import seaborn as sns

sets = {
    'Bajta': {"Agile", "Analysis", "Availability", "Baseline comparison", "Bidding", "CBR", "CMMI", "COCOMO", "Commissioning", "Conceptualization", "Delphi", "Detail planning", "Design", "Distant onshore", "Expert judgment", "Estimated value", "Execution", "Effort hours", "Feasibility study", "Finance", "Fuzzy similarity", "GA", "Group-based estimation", "Healthcare", "Hardware", "Implementation", "Individual", "Machine learning", "Maintainability", "Maintenance", "Near offshore", "Non-machine learning", "Not considered", "Number of team members", "Performance", "Portfolio", "Preliminary planning", "Reliability", "Research & development", "Risk", "Security", "Sensitivity analysis", "Size report", "Socio-cultural distance", "Statistical analysis", "Staff/cost", "System investigation", "Temporal distance", "Testing", "Value", "Variation reduction"},
    'Britto_2017': {"Accessibility level", "Adaptation complexity", "Anchor count", "Architecture", "Association center slot count", "Association slot size", "Attribute count", "Authoring tool type", "Availability level", "Class complexity", "Class coupling", "Client script count", "Cluster count", "Cluster node size", "Cluster slot count", "Cohesion", "Cohesion complexity", "Collection center slot count", "Collection slot size", "Comment count", "Communication level", "Compactness", "Component complexity", "Component count", "Component granularity level", "Component slot count", "Concern coupling", "Concern module count", "Concern operation count", "Concurrency level", "Connectivity density", "Control flow complexity", "Cyclomatic complexity", "Data Web points", "Data flow complexity", "Data usage complexity", "Database size", "Deployment platform experience level", "Design volatility", "Development restriction", "Difficulty level", "Diffusion cut count", "Documentation level", "Domain experience level", "Entity count", "Experience level", "Feature count", "Flexibility level", "Focus factor", "High feature count", "IT literacy", "In-house experience", "Indifferent concern count", "Information slot count", "Infrastructure", "Inner/sub concern count", "Innovation level", "Input complexity", "Installability level", "Integration with legacy systems", "Interface complexity", "International Function Point Users Group", "Layout complexity", "Lessons learned repository", "Lines of code", "Link count", "Low feature count", "Maintainability level", "Mapped workflows", "Media allocation", "Media count", "Media duration", "Memory efficiency level", "Metrics program", "Model association complexity", "Model collection complexity", "Model link complexity", "Model node size", "Model slot size", "Modularity level", "Module attribute count", "Module count", "Module point cut count", "Motivation level", "New Web page count", "New complexity", "New media count", "Node count", "Node slot size", "Novelty level", "Number of programming languages", "Number of projects in parallel", "OO experience level", "Object-Oriented Function Points", "Operation count", "Operational mode", "Output complexity", "Page complexity", "Personality", "Platform support level", "Platform volatility level", "Portability level", "Process efficiency level", "Processing requirements", "Productivity level", "Program count", "Programming language experience level", "Project management level", "Publishing model unit count", "Publishing unit count", "Quality level", "Rapid app development", "Readability level", "Reliability level", "Requirements clarity level", "Requirements novelty level", "Requirements volatility level", "Resource level", "Reusability level", "Reused comment count", "Reused component count", "Reused high feature count", "Reused lines of code", "Reused low feature count", "Reused media allocation", "Reused media count", "Reused program count", "Risk level", "Robustness level", "SPI program", "Scalability level", "Section count", "Security level", "Segment count", "Semantic association count", "Server script count", "Slot count", "Slot granularity level", "Software development experience", "Software reuse", "Stability level", "Statement count", "Storage constraint", "Structure", "Team capability", "Team size", "Technical factors", "Testability level", "Time efficiency level", "Time restriction", "Tool experience level", "Total complexity", "Trainability level", "Type", "Usability level", "Use case count", "Web objects", "Web page allocation", "Web page count", "Work Team level"},
    'Britto_2016': {"Centralized", "distributed", "Early", "Estimator", "Early & Late", "Estimator & Provider", "geographic distance", "geographic distance", "late", "legal entity", "location", "provider", "semi-distributed", "temporal distance", "temporal distance"},
    'Dasthi': {"ANN", "Analogy Base", "COCOMO", "Evolutionary", "Expert Judgment", "FUZZY", "SEER-SEM", "SLIM", "Swarm"},
    'Mendes': {"Absolute", "both", "complexity", "functionality", "Directly", "Early size metric", "Empirically", "indirectly", "interval", "Length", "late size metric", "media", "none", "Nominal", "nonspecific", "ordinal", "other", "Problem oriented metric", "program/script", "ratio", "solution oriented metric", "Specific", "theoretically", "Web application", "Web hypermedia application", "Web software application"},
    'Usman': {"Analysis", "all", "analogy", "availability", "bidding", "Close Onshore", "Co-located", "Communications industry", "Considered", "crystal", "customized XP", "customized scrum", "daily", "design", "distribution", "education", "expert judgement", "DSDM", "Distant Onshore", "Estimate value(s)", "FDD", "Far Offshore", "financial", "function points", "Hours/days", "health", "ideal hours", "implementation", "kanban", "maintainability", "maintenance", "manufacturing", "MMRE", "MdMRE", "Near Offshore", "No. of team members", "not applicable", "not considered", "not used", "Other", "Performance", "Planning poker", "Point", "pair days", "Release", "reliability", "retail/wholesale", "Single", "scrum", "security", "sprint", "Story points", "testing", "three point", "task", "transportation", "UC points", "User story", "Value", "XP"}
}

normalized_sets = {set_name: normalize_words(word_set) for set_name, word_set in sets.items()}


# Create a dictionary to store the embeddings of each set
embeddings = {}
all_words = []
word_to_set = {}
for set_name, word_set in normalized_sets.items():
    embeddings[set_name] = get_embeddings(word_set)
    all_words.extend(list(word_set))
    for word in word_set:
        word_to_set[word] = set_name

# Create an array of all embeddings
all_embeddings = torch.cat([embeddings[set_name] for set_name in normalized_sets], dim=0)


# Map sets to colors
set_colors = {set_name: sns.color_palette("Set2")[i] for i, set_name in enumerate(sets.keys())}
word_colors = [set_colors[word_to_set[word]] for word in all_words]

# Apply t-SNE to reduce the dimensionality of the embeddings to 2D
tsne = TSNE(n_components=2, random_state=5)
reduced_embeddings = tsne.fit_transform(all_embeddings)

# Initialize figure
plt.figure(figsize=(16, 12))

# Track words already labeled
labeled_words = {}

# Scatter plot with words colored by their set and label duplicates only once
for i, word in enumerate(all_words):
    # Color and position each word's dot
    plt.scatter(reduced_embeddings[i, 0], reduced_embeddings[i, 1], 
                c=[set_colors[word_to_set[word]]], s=50, alpha=0.6)
    
    # Check if the word has appeared before
    if word not in labeled_words:
        # If first occurrence, label it and choose red if shared
        color = 'red' if all_words.count(word) > 1 else 'black'
        text = plt.text(reduced_embeddings[i, 0], reduced_embeddings[i, 1], word.upper(), 
                        fontsize=5, color=color)
        labeled_words[word] = text  # Track labeled words for adjustText
    
# Adjust the positions of labels to avoid overlap
adjust_text(list(labeled_words.values()), only_move={'points': 'xy'}, force_text=0.75, expand_text=(1.5, 1.5))
([Text(-1.1194523630603648, 12.247818994522099, 'CBR'), Text(20.34774204377205, -8.759991679872783, 'VARIATION REDUCTION'), Text(11.866058624271425, -2.035980653762813, 'MAINTAINABILITY'), Text(-5.691547834296376, -1.5676843643188434, 'STAFF/COST'), Text(-6.125527282780215, 26.170693962914605, 'BIDDING'), Text(23.89465556904193, 1.1502824808870074, 'NON-MACHINE LEARNING'), Text(8.433489161441408, 8.298624072756077, 'CONCEPTUALIZATION'), Text(1.0750943164671654, 8.733723688125615, 'DELPHI'), Text(-16.886251388249853, -2.987058067321776, 'SIZE REPORT'), Text(23.48712820564547, 1.1389854635511085, 'MACHINE LEARNING'), Text(3.5387298134065475, 1.0451259102140114, 'BASELINE COMPARISON'), Text(6.502206084709016, -2.0499548341547182, 'AVAILABILITY'), Text(-7.61885280935995, 14.269166994094853, 'CMMI'), Text(-15.779195797251116, 8.874068777901783, 'TEMPORAL DISTANCE'), Text(2.0687578158993887, 27.231688547134404, 'GROUP-BASED ESTIMATION'), Text(3.1699262209477013, 25.036979416438513, 'ESTIMATED VALUE'), Text(6.366142540689438, 10.330008588518417, 'NOT CONSIDERED'), Text(-16.49128932856744, 11.459924745559697, 'SOCIO-CULTURAL DISTANCE'), Text(5.890720729866338, 5.925037091118945, 'IMPLEMENTATION'), Text(14.401852794616453, -1.3526725879737356, 'FEASIBILITY STUDY'), Text(20.040229531161252, 1.432188718659539, 'SENSITIVITY ANALYSIS'), Text(7.295840875852498, 16.515185662678313, 'INDIVIDUAL'), Text(-5.948959812714204, 13.538979578018193, 'COCOMO'), Text(19.9212708013673, 21.655799736295428, 'NEAR OFFSHORE'), Text(3.878666013959922, 2.643852751595631, 'PERFORMANCE'), Text(21.178055903123273, 13.266138642174866, 'PRELIMINARY PLANNING'), Text(18.001691102693165, 20.98577313423157, 'DISTANT ONSHORE'), Text(1.0599946345052444, 10.586988013131283, 'GA'), Text(-10.256078698654328, 3.8306832722255137, 'EFFORT HOURS'), Text(7.612142911649521, 27.2740006855556, 'EXPERT JUDGMENT'), Text(16.66793697389864, 0.08921782459531613, 'SYSTEM INVESTIGATION'), Text(15.933248827726608, 13.437011378152029, 'DESIGN'), Text(3.2818932190056813, 21.60291710581098, 'VALUE'), Text(6.69403778977933, 2.677551317214963, 'HARDWARE'), Text(9.77201774562559, -2.3590308529990054, 'RELIABILITY'), Text(19.8182172326311, 4.376441594532558, 'STATISTICAL ANALYSIS'), Text(13.685139384769627, 3.2446695532117644, 'RISK'), Text(10.305022318228602, 9.109241533279416, 'PORTFOLIO'), Text(11.558256533549674, 10.12362253325324, 'FINANCE'), Text(15.564696057477306, 7.122045557839527, 'AGILE'), Text(-4.173038770498767, -4.6895012038094634, 'NUMBER OF TEAM MEMBERS'), Text(13.854598169269103, -14.062290627615791, 'RESEARCH & DEVELOPMENT'), Text(16.953512367317764, -4.045273392541063, 'TESTING'), Text(19.268271556688894, 13.372508484976628, 'DETAIL PLANNING'), Text(12.535056522392459, 6.6776719570159955, 'HEALTHCARE'), Text(3.504488493165667, 5.555433314187184, 'EXECUTION'), Text(9.154361631024265, 22.20687064443316, 'FUZZY SIMILARITY'), Text(2.079281935672604, 5.5258212498256185, 'COMMISSIONING'), Text(9.628042688485117, 0.6888120659760091, 'MAINTENANCE'), Text(16.81164751091311, 3.385995953423638, 'ANALYSIS'), Text(10.678789704461252, 2.6828722068241646, 'SECURITY'), Text(-12.098224141809247, -25.787905645370483, 'INFORMATION SLOT COUNT'), Text(-9.63532419800758, -12.109954220908026, 'INDIFFERENT CONCERN COUNT'), Text(4.956470188113954, 6.728350155694152, 'OPERATIONAL MODE'), Text(-4.772115993115207, -26.103084257670805, 'REUSED HIGH FEATURE COUNT'), Text(10.065583182054183, 5.320793499265399, 'IT LITERACY'), Text(1.5724217571558512, -20.729881804330006, 'CLASS COMPLEXITY'), Text(-6.011525497801841, -20.567983886173792, 'CONCERN MODULE COUNT'), Text(-6.682298232759198, -15.593669373648503, 'USE CASE COUNT'), Text(7.45193380578872, -21.08010925565447, 'COHESION'), Text(12.901979734916843, 13.506510264532906, 'STRUCTURE'), Text(0.0793305854643549, -12.392082132611957, 'SOFTWARE REUSE'), Text(-6.105423649280297, -17.81653438295638, 'COMPONENT COUNT'), Text(18.07951001986381, -10.09699236324855, 'REQUIREMENTS VOLATILITY LEVEL'), Text(-5.21898889118625, -13.19183795792716, 'PROGRAM COUNT'), Text(7.249169383510463, 2.33855158601488, 'TECHNICAL FACTORS'), Text(-6.944056432381753, -21.410956689289634, 'MODULE COUNT'), Text(-7.790291866371707, -10.975104154859267, 'CLIENT SCRIPT COUNT'), Text(4.8133312603158345, -12.941341352462768, 'MAPPED WORKFLOWS'), Text(-16.13294880611281, -26.62703488213675, 'COLLECTION SLOT SIZE'), Text(-17.365130170410676, -24.996669898714337, 'SLOT GRANULARITY LEVEL'), Text(7.4577346333572905, 0.6283048987388611, 'PROCESSING REQUIREMENTS'), Text(0.9273197631682137, -2.495227793284819, 'EXPERIENCE LEVEL'), Text(-16.69236961978097, -22.03510934284755, 'NODE SLOT SIZE'), Text(6.170812633922026, -6.364523369925362, 'RESOURCE LEVEL'), Text(5.258472706906261, -19.310671758651733, 'ADAPTATION COMPLEXITY'), Text(10.451760276767523, -11.379107911246162, 'REQUIREMENTS CLARITY LEVEL'), Text(-7.707952412001546, 0.14350209236145162, 'RAPID APP DEVELOPMENT'), Text(-14.104383978824458, -18.274155146735055, 'ANCHOR COUNT'), Text(-11.407563076384601, -15.712752982548292, 'COMMENT COUNT'), Text(0.10709408560106937, -6.310611070905409, 'PROJECT MANAGEMENT LEVEL'), Text(-16.196010205668788, -24.811727912085395, 'SLOT COUNT'), Text(-4.284800918736764, 17.32221082959856, 'DATA WEB POINTS'), Text(-17.10200216693263, -23.31884495871407, 'MODEL SLOT SIZE'), Text(1.6300086015384778, -15.280778789520262, 'DATA USAGE COMPLEXITY'), Text(12.441428297085153, -13.007900060926165, 'INNOVATION LEVEL'), Text(-11.54420237579653, -19.338789987564084, 'SECTION COUNT'), Text(-1.9009466485631066, 20.558546808787753, 'INTERNATIONAL FUNCTION POINT USERS GROUP'), Text(-16.42978610425226, -9.123995344979424, 'REUSED MEDIA ALLOCATION'), Text(-17.15032897082067, -10.545087936946324, 'REUSED MEDIA COUNT'), Text(-11.717295322879664, -0.1694987535476713, 'WEB OBJECTS'), Text(-10.975743263094653, -21.713573455810547, 'ENTITY COUNT'), Text(1.1007166644257893, -2.6533149855477447, 'PROGRAMMING LANGUAGE EXPERIENCE LEVEL'), Text(19.094287969796888, -0.6118649840354919, 'INTEGRATION WITH LEGACY SYSTEMS'), Text(-14.333739919816292, -13.677029820850915, 'WEB PAGE COUNT'), Text(12.173940390252305, -8.111838041033064, 'USABILITY LEVEL'), Text(-14.856575409443145, -12.299317571095052, 'WEB PAGE ALLOCATION'), Text(-2.853404453877477, 1.3664324564593215, 'LESSONS LEARNED REPOSITORY'), Text(-4.7742100906083635, -14.78962539264134, 'REUSED PROGRAM COUNT'), Text(7.3928398227499414, -2.7517435073852496, 'AVAILABILITY LEVEL'), Text(0.7504186999990097, -3.5717456817626925, 'OO EXPERIENCE LEVEL'), Text(-11.250621274498197, -19.870754466738017, 'SEGMENT COUNT'), Text(-14.422509076229986, -14.073677710124421, 'NEW WEB PAGE COUNT'), Text(-5.4292861540471336, -16.990792485645837, 'REUSED COMPONENT COUNT'), Text(-8.162632552462238, -17.97761946405683, 'DIFFUSION CUT COUNT'), Text(6.65605315825632, -8.352992316654749, 'CONCURRENCY LEVEL'), Text(-11.554426433386336, -26.848632165363853, 'ASSOCIATION CENTER SLOT COUNT'), Text(9.327631030736434, -3.530273369380403, 'RELIABILITY LEVEL'), Text(-1.9972065163235513, -14.330313730239869, 'NUMBER OF PROGRAMMING LANGUAGES'), Text(-19.880827720222936, -10.190807989665437, 'MEDIA COUNT'), Text(13.240709340091676, 2.292071771621707, 'RISK LEVEL'), Text(-7.057072192622769, -21.857534667423792, 'MODULE ATTRIBUTE COUNT'), Text(-14.338537519785664, -16.606739078249248, 'LINK COUNT'), Text(-8.311434886436306, -22.429199607031684, 'ATTRIBUTE COUNT'), Text(-0.7845073126016082, -16.822431339536394, 'PAGE COMPLEXITY'), Text(-15.158137083341998, -20.469099821363177, 'MODEL NODE SIZE'), Text(1.35143210955205, -0.8431308524949372, 'TOOL EXPERIENCE LEVEL'), Text(-14.506082287430761, -19.702238988876342, 'NODE COUNT'), Text(-18.89762768812718, -8.52184329714094, 'MEDIA ALLOCATION'), Text(-8.323225230689967, -24.350923926489692, 'FEATURE COUNT'), Text(-15.700080561637876, -8.123936135428291, 'STORAGE CONSTRAINT'), Text(15.376120261223093, -5.907303115299769, 'TRAINABILITY LEVEL'), Text(6.50861444963563, -16.791839599609375, 'DIFFICULTY LEVEL'), Text(6.066652596573675, -4.051623685019351, 'QUALITY LEVEL'), Text(-13.488133357801743, -22.968291234970092, 'CLUSTER SLOT COUNT'), Text(-5.346808043602973, -9.142135102408268, 'SPI PROGRAM'), Text(1.3586027514550025, -23.24205537523542, 'MODEL COLLECTION COMPLEXITY'), Text(-5.750156565058614, 3.4654593399592812, 'DEVELOPMENT RESTRICTION'), Text(9.329966145561592, 16.942957666942057, 'PERSONALITY'), Text(1.278770790080877, -12.473804262706214, 'REUSABILITY LEVEL'), Text(3.0650134928764885, -2.8563270568847585, 'DOMAIN EXPERIENCE LEVEL'), Text(-9.949585846547155, -24.75754113878522, 'SEMANTIC ASSOCIATION COUNT'), Text(-8.753715402560843, -12.93406229700361, 'CONCERN OPERATION COUNT'), Text(-18.792823819191224, -11.856864459174016, 'NEW MEDIA COUNT'), Text(4.265068604196273, -10.254990059988835, 'MEMORY EFFICIENCY LEVEL'), Text(-9.10484519100958, -7.222755350385391, 'CONCERN COUPLING'), Text(-0.06232312129389328, -2.3042694193976274, 'SOFTWARE DEVELOPMENT EXPERIENCE'), Text(-9.223739566053112, -13.934824766431536, 'OPERATION COUNT'), Text(-6.305967452256908, -25.41224237169538, 'HIGH FEATURE COUNT'), Text(-1.4050769068541022, -20.80226603916713, 'COMPONENT GRANULARITY LEVEL'), Text(7.97633339099346, -3.9439351694924483, 'STABILITY LEVEL'), Text(-7.923284329041355, -10.809050641741067, 'SERVER SCRIPT COUNT'), Text(4.560832251271897, -16.635013580322266, 'CONTROL FLOW COMPLEXITY'), Text(12.37689246362256, -7.977138566970826, 'ACCESSIBILITY LEVEL'), Text(-3.77562912817924, -4.9036032063620425, 'TEAM CAPABILITY'), Text(-17.00169097010166, -16.32244426863534, 'PUBLISHING MODEL UNIT COUNT'), Text(7.182103123684087, -19.627834224700926, 'COHESION COMPLEXITY'), Text(11.09704584556242, -11.820486586434502, 'REQUIREMENTS NOVELTY LEVEL'), Text(-17.438482811950866, -16.02110073907035, 'PUBLISHING UNIT COUNT'), Text(-20.333592896499937, -7.971830320358279, 'MEDIA DURATION'), Text(-14.582837974448356, -24.490832764761784, 'COMPONENT SLOT COUNT'), Text(-0.12482656846123064, -20.904562350681847, 'COMPONENT COMPLEXITY'), Text(-7.653105919687977, -25.755174636840817, 'LOW FEATURE COUNT'), Text(11.549867949178143, 1.5582099369594076, 'SECURITY LEVEL'), Text(-12.962956029561255, -21.841607175554543, 'CLUSTER COUNT'), Text(3.5790069020563564, -9.82281993457249, 'TIME EFFICIENCY LEVEL'), Text(1.2791055458447644, 19.267590570449833, 'FOCUS FACTOR'), Text(3.8347788828995917, -8.140643637520927, 'PROCESS EFFICIENCY LEVEL'), Text(17.622599596746504, -10.432428795950756, 'PLATFORM VOLATILITY LEVEL'), Text(11.857770764443181, -5.017402860096524, 'PORTABILITY LEVEL'), Text(-9.873164094167368, -12.795479209082465, 'INNER/SUB CONCERN COUNT'), Text(-4.073232656813435, -21.76832845551627, 'MODULARITY LEVEL'), Text(-0.07195607712191787, -7.953027595792495, 'NUMBER OF PROJECTS IN PARALLEL'), Text(1.4259679141544552, -6.239195517131261, 'MOTIVATION LEVEL'), Text(-9.185612464335652, -6.243829849788121, 'CLASS COUPLING'), Text(14.979442339462615, 12.587340225492206, 'ARCHITECTURE'), Text(12.619884920600931, -3.0282369681766994, 'MAINTAINABILITY LEVEL'), Text(4.723639219710911, -18.31318716321673, 'INTERFACE COMPLEXITY'), Text(-13.483267945339598, -21.850106934138704, 'CLUSTER NODE SIZE'), Text(1.5577956093895864, 1.0550825255258047, 'AUTHORING TOOL TYPE'), Text(4.432744487735533, -22.323446757452828, 'CYCLOMATIC COMPLEXITY'), Text(5.801962259700225, -1.0544251441955552, 'DEPLOYMENT PLATFORM EXPERIENCE LEVEL'), Text(8.338162789229429, 3.335094492776058, 'INFRASTRUCTURE'), Text(0.8297459380280614, -24.63380150794983, 'MODEL LINK COMPLEXITY'), Text(-7.014856970887028, -19.644089651107784, 'MODULE POINT CUT COUNT'), Text(-1.3146988561076505, -0.33025575365338966, 'IN-HOUSE EXPERIENCE'), Text(-8.214344187994154, 5.060217816489086, 'TIME RESTRICTION'), Text(9.502169283291991, -6.469373655319213, 'FLEXIBILITY LEVEL'), Text(4.623239652668275, -24.43092662947518, 'COMPACTNESS'), Text(-13.294339495320472, -26.19191014426095, 'ASSOCIATION SLOT SIZE'), Text(2.407563711750896, -15.42583265304565, 'DATA FLOW COMPLEXITY'), Text(10.25754223812011, -13.318790095193044, 'NOVELTY LEVEL'), Text(8.887141366543311, -10.652609307425362, 'DOCUMENTATION LEVEL'), Text(1.3011617256779147, -18.40478732245309, 'OUTPUT COMPLEXITY'), Text(-0.23830958210652753, -17.996002714974537, 'LAYOUT COMPLEXITY'), Text(6.179858213576587, -0.39624207701001524, 'PLATFORM SUPPORT LEVEL'), Text(-8.80762999730726, -16.753204829352242, 'STATEMENT COUNT'), Text(16.096350339824156, -5.209796217509677, 'TESTABILITY LEVEL'), Text(8.284855554757577, -23.023438889639717, 'CONNECTIVITY DENSITY'), Text(13.506850105331793, -3.750842864172796, 'INSTALLABILITY LEVEL'), Text(9.821326627462142, -5.315930366516113, 'ROBUSTNESS LEVEL'), Text(6.554314717073595, 12.68053570474897, 'TYPE'), Text(2.2367375509392886, -19.44794351032802, 'TOTAL COMPLEXITY'), Text(0.8708387740196741, -23.902376304353986, 'MODEL ASSOCIATION COMPLEXITY'), Text(-3.327749566051267, -11.0101457459586, 'LINES OF CODE'), Text(-1.0179734714569584, 21.33019547462463, 'OBJECT-ORIENTED FUNCTION POINTS'), Text(4.103603321698408, -4.639776270730152, 'COMMUNICATION LEVEL'), Text(-5.878071177101901, -5.2780506236212545, 'TEAM SIZE'), Text(18.01468119755868, -9.687486083166938, 'DESIGN VOLATILITY'), Text(12.810348100912186, -8.80492158617292, 'READABILITY LEVEL'), Text(19.070058030659155, -16.487608861923217, 'METRICS PROGRAM'), Text(-14.629487706576619, -27.5847017628806, 'COLLECTION CENTER SLOT COUNT'), Text(-2.7642848996385396, -11.026047658920284, 'REUSED LINES OF CODE'), Text(-12.00769319620824, -15.509815161568781, 'REUSED COMMENT COUNT'), Text(3.738851215877844, -7.8699360098157705, 'PRODUCTIVITY LEVEL'), Text(2.8491100431449965, -17.733046872275214, 'INPUT COMPLEXITY'), Text(6.9083201609311615, -7.977943209239413, 'SCALABILITY LEVEL'), Text(-5.205628143491282, -27.208003221239366, 'REUSED LOW FEATURE COUNT'), Text(-1.72156598500667, -5.675510454177854, 'WORK TEAM LEVEL'), Text(3.50355637438836, -20.666270044871737, 'NEW COMPLEXITY'), Text(-16.000751405473675, -5.890456635611393, 'DATABASE SIZE'), Text(-2.96238524961856, 14.264509248733518, 'LOCATION'), Text(-3.151729023937257, 10.425816324778971, 'SEMI-DISTRIBUTED'), Text(-3.4526426576798954, 10.004358598164153, 'DISTRIBUTED'), Text(-16.38733671076836, 10.675667810440068, 'GEOGRAPHIC DISTANCE'), Text(-12.579971816558988, 11.249542461122786, 'EARLY'), Text(-0.12145621084397362, 7.13367848396301, 'PROVIDER'), Text(9.53139069070739, 11.861992883682248, 'LEGAL ENTITY'), Text(-2.6217757733598788, 11.818016099929807, 'CENTRALIZED'), Text(-10.89058489107316, 9.970191437857494, 'LATE'), Text(0.46474839561409453, 26.187265620912832, 'ESTIMATOR'), Text(-10.998645571643301, 10.211544472830639, 'EARLY & LATE'), Text(1.2488716136063331, 24.743122536795475, 'ESTIMATOR & PROVIDER'), Text(7.9489416744439865, 22.34043590000698, 'FUZZY'), Text(14.293584331870079, 8.514967482430599, 'SLIM'), Text(-4.3889670042260995, 6.637850802285335, 'SWARM'), Text(22.463525053185812, 8.256683915002, 'ANALOGY BASE'), Text(9.629488762347933, 14.102181441443342, 'SEER-SEM'), Text(10.471862275340868, -17.516099412100655, 'EVOLUTIONARY'), Text(1.307138710444974, 13.759148645401005, 'ANN'), Text(6.325103681895044, 6.347854355403356, 'FUNCTIONALITY'), Text(1.8601785959736006, 15.633724260330204, 'ORDINAL'), Text(-6.535599741724226, 8.269356291634693, 'RATIO'), Text(3.1367444534455586, 13.849771547317502, 'NOMINAL'), Text(11.332195352546634, 18.24620550700596, 'INDIRECTLY'), Text(-21.38883953354051, -9.17709822654724, 'MEDIA'), Text(6.989059035047411, 14.560459184646632, 'NONSPECIFIC'), Text(-9.972303424054573, -2.5330323764256093, 'WEB HYPERMEDIA APPLICATION'), Text(7.300091250481145, 9.948157228742325, 'THEORETICALLY'), Text(-19.069130628339707, -4.559023148672921, 'LENGTH'), Text(-17.323215942325128, -0.962089283125735, 'LATE SIZE METRIC'), Text(2.5603700630126482, 11.41410784040179, 'NONE'), Text(4.459344593459562, 17.89774804115296, 'BOTH'), Text(-8.753014662765686, 7.005617189407346, 'INTERVAL'), Text(19.06511387142443, -18.685750314167567, 'SOLUTION ORIENTED METRIC'), Text(8.314407721998222, 9.781768975939066, 'EMPIRICALLY'), Text(4.706449323700326, 12.657702010018482, 'ABSOLUTE'), Text(2.024391013864552, -19.16878981590271, 'COMPLEXITY'), Text(-17.083450803641348, -1.5950531176158336, 'EARLY SIZE METRIC'), Text(-10.644041904614816, -1.4457161324364733, 'WEB APPLICATION'), Text(4.173769925678933, 16.052994775772092, 'OTHER'), Text(11.369142711595188, 18.445866503034324, 'DIRECTLY'), Text(-9.179357678563363, -1.7290156994547203, 'WEB SOFTWARE APPLICATION'), Text(19.008365228003072, -18.283437599454604, 'PROBLEM ORIENTED METRIC'), Text(6.89143372254987, 15.388431079047074, 'SPECIFIC'), Text(-5.547978569134585, -10.005553197860717, 'PROGRAM/SCRIPT'), Text(12.031627899023796, 5.961102049691341, 'HEALTH'), Text(-2.916660379786645, 16.612370055062435, 'STORY POINTS'), Text(-9.738216614723203, 18.475782135554716, 'DSDM'), Text(-0.6927918893675624, 9.780990695953363, 'RELEASE'), Text(-2.862097131148456, 8.252295964104789, 'DISTRIBUTION'), Text(6.88973680398157, 18.030098962783818, 'SINGLE'), Text(-10.923805209513631, 15.34592801502773, 'MMRE'), Text(2.949041207951886, 16.775485086441037, 'ALL'), Text(-13.121631993113024, 5.832396159853253, 'DAILY'), Text(-2.8350187455454154, 18.4186672278813, 'POINT'), Text(4.1095574014609895, 10.824479361942835, 'NOT APPLICABLE'), Text(8.478611057131523, 4.054627234169423, 'TRANSPORTATION'), Text(13.209206159941616, 25.196137734821868, 'CUSTOMIZED XP'), Text(10.942678236961363, 9.945244966234476, 'FINANCIAL'), Text(3.027953660007448, 10.363910157339909, 'NOT USED'), Text(6.9540813069189795, 11.347501366479058, 'CONSIDERED'), Text(3.3068927117893807, 26.0822414125715, 'ESTIMATE VALUE(S)'), Text(2.461445596852613, 7.204546976089482, 'TASK'), Text(-10.162916720970983, 5.9041338443756075, 'IDEAL HOURS'), Text(-0.43614004465841205, 3.3024886063167003, 'RETAIL/WHOLESALE'), Text(18.11541254539644, 22.89239142962864, 'FAR OFFSHORE'), Text(18.21410352155086, 8.87947525296893, 'CUSTOMIZED SCRUM'), Text(9.658952570249959, 6.2576540674482, 'EDUCATION'), Text(7.8144337181122125, 28.660113382339482, 'EXPERT JUDGEMENT'), Text(1.3431386028566692, 4.154088967187064, 'COMMUNICATIONS INDUSTRY'), Text(21.528107136295695, 13.837179926463527, 'PLANNING POKER'), Text(21.87691640498177, 8.432015248707359, 'ANALOGY'), Text(18.862710418624268, 19.337297957284107, 'CLOSE ONSHORE'), Text(12.265875899503314, 14.513487863540647, 'CRYSTAL'), Text(12.190761926135707, 25.201769181660246, 'XP'), Text(-2.223250658665929, 20.165244409016196, 'FUNCTION POINTS'), Text(16.236012989186477, 8.298748343331482, 'SCRUM'), Text(0.17691151865067667, 13.577116060256962, 'KANBAN'), Text(-3.9192149415131503, -3.646287087031773, 'NO. OF TEAM MEMBERS'), Text(-1.5706523128094183, 17.285200636727467, 'UC POINTS'), Text(-2.9582456483956285, 2.866703707831249, 'USER STORY'), Text(-1.73897005848346, 6.8998470783233685, 'SPRINT'), Text(-3.04286150403561, 13.03393368721008, 'CO-LOCATED'), Text(-10.646419808172407, 15.950822830200195, 'MDMRE'), Text(-13.080608816396804, 5.421366521290373, 'PAIR DAYS'), Text(-11.030026043615031, 4.73437265668597, 'HOURS/DAYS'), Text(1.2585694661063584, 3.2925265244075206, 'MANUFACTURING'), Text(-1.5365852296352394, 19.454539346694943, 'THREE POINT'), Text(-9.892173993010676, 19.64164947101048, 'FDD')], [])
# First legend for word sets
handles = [plt.Line2D([0], [0], marker='o', color='w', markerfacecolor=color, markersize=10) for color in set_colors.values()]
labels = list(sets.keys())
legend1 = plt.legend(handles=handles, labels=labels, title="Literature", loc='upper center', bbox_to_anchor=(0.5, -0.05), ncol=6)

# Second legend for duplicate words
duplicate_legend = plt.Line2D([0], [1], color='red', lw=2)
legend2 = plt.legend([duplicate_legend], ["In red: duplicate words"], loc='upper center', bbox_to_anchor=(0.5, -0.12), frameon=False)

# Re-add the first legend
plt.gca().add_artist(legend1)

plt.title("t-SNE Visualization of Word Embeddings")
plt.xlabel("t-SNE Component 1")
plt.ylabel("t-SNE Component 2")

# Save the plot as an image
plt.savefig('tsne_word_embeddings.png', dpi=600, bbox_inches='tight')

# Display the plot
plt.show()

from sklearn.manifold import TSNE
import matplotlib.pyplot as plt
from adjustText import adjust_text
import numpy as np
import seaborn as sns
from mpl_toolkits.mplot3d import Axes3D  # Import 3D plotting tools

# Create a dictionary to store the embeddings of each set
embeddings = {}
all_words = []
word_to_set = {}
for set_name, word_set in normalized_sets.items():
    embeddings[set_name] = get_embeddings(word_set)
    all_words.extend(list(word_set))
    for word in word_set:
        word_to_set[word] = set_name

# Create an array of all embeddings
all_embeddings = torch.cat([embeddings[set_name] for set_name in normalized_sets], dim=0)

# Map sets to colors
set_colors = {set_name: sns.color_palette("Set2")[i] for i, set_name in enumerate(sets.keys())}
word_colors = [set_colors[word_to_set[word]] for word in all_words]

# Apply t-SNE to reduce the dimensionality of the embeddings to 3D
tsne = TSNE(n_components=3, random_state=5)
reduced_embeddings = tsne.fit_transform(all_embeddings)

# Initialize figure for 3D plot
fig = plt.figure(figsize=(16, 12))
ax = fig.add_subplot(111, projection='3d')

# Track words already labeled
labeled_words = {}

# Scatter plot with words colored by their set and label duplicates only once
for i, word in enumerate(all_words):
    # Color and position each word's dot in 3D
    ax.scatter(reduced_embeddings[i, 0], reduced_embeddings[i, 1], reduced_embeddings[i, 2], 
               c=[set_colors[word_to_set[word]]], s=50, alpha=0.6)
    
    # Check if the word has appeared before
    if word not in labeled_words:
        # If first occurrence, label it and choose red if shared
        color = 'red' if all_words.count(word) > 1 else 'black'
        ax.text(reduced_embeddings[i, 0], reduced_embeddings[i, 1], reduced_embeddings[i, 2], 
                word.upper(), fontsize=5, color=color)
        labeled_words[word] = True  # Track labeled words for avoid overlap
    
# Adjust the positions of labels to avoid overlap (this part doesn't adjust in 3D directly, 
# but you could explore 3D label adjustments using other techniques like manually adjusting the positions)
# For now, we keep the label text without adjustment in 3D (more complex adjustments can be done with other libraries).

# First legend for word sets
handles = [plt.Line2D([0], [0], marker='o', color='w', markerfacecolor=color, markersize=10) for color in set_colors.values()]
labels = list(sets.keys())
legend1 = plt.legend(handles=handles, labels=labels, title="Literature", loc='upper center', bbox_to_anchor=(0.5, -0.05), ncol=6)

# Second legend for duplicate words
duplicate_legend = plt.Line2D([0], [1], color='red', lw=2)
legend2 = plt.legend([duplicate_legend], ["In red: duplicate words"], loc='upper center', bbox_to_anchor=(0.5, -0.12), frameon=False)

# Re-add the first legend
plt.gca().add_artist(legend1)

ax.set_title("t-SNE Visualization of Word Embeddings in 3D")
ax.set_xlabel("t-SNE Component 1")
ax.set_ylabel("t-SNE Component 2")
ax.set_zlabel("t-SNE Component 3")

# Save the plot as an image
plt.savefig('tsne_word_embeddings_3d.png', dpi=600, bbox_inches='tight')

# Display the plot
plt.show()

Same as before but UMAP

import matplotlib.pyplot as plt
from adjustText import adjust_text
import numpy as np
import umap.umap_ as umap

# Apply UMAP to reduce the dimensionality of the embeddings to 2D
umap_model = umap.UMAP(n_components=2, random_state=5)
reduced_embeddings = umap_model.fit_transform(all_embeddings)
C:\Users\mysit\AppData\Local\Programs\Python\Python39\lib\site-packages\umap\umap_.py:1952: UserWarning:

n_jobs value 1 overridden to 1 by setting random_state. Use no seed for parallelism.
# Initialize figure
plt.figure(figsize=(16, 12))

# Track words already labeled
labeled_words = {}

# Scatter plot with words colored by their set and label duplicates only once
for i, word in enumerate(all_words):
    # Color and position each word's dot
    plt.scatter(reduced_embeddings[i, 0], reduced_embeddings[i, 1], 
                c=[set_colors[word_to_set[word]]], s=50, alpha=0.6)
    
    # Check if the word has appeared before
    if word not in labeled_words:
        # If first occurrence, label it and choose red if shared
        color = 'red' if all_words.count(word) > 1 else 'black'
        text = plt.text(reduced_embeddings[i, 0], reduced_embeddings[i, 1], word.upper(), 
                        fontsize=5, color=color)
        labeled_words[word] = text  # Track labeled words for adjustText
    
# Adjust the positions of labels to avoid overlap
adjust_text(list(labeled_words.values()), only_move={'points': 'xy'}, force_text=0.75, expand_text=(1.5, 1.5))
([Text(11.775327141919444, 8.584498433839709, 'CBR'), Text(10.36719873797509, 10.286637636593412, 'VARIATION REDUCTION'), Text(10.706486234573585, 11.456646201724098, 'MAINTAINABILITY'), Text(9.733116775799182, 8.25293314343407, 'STAFF/COST'), Text(11.350166733971525, 9.002316262608481, 'BIDDING'), Text(12.712819610055416, 9.324081387973973, 'NON-MACHINE LEARNING'), Text(11.471333188082902, 8.976885314214798, 'CONCEPTUALIZATION'), Text(10.922241405421687, 8.744878174009777, 'DELPHI'), Text(9.285943705756818, 6.562205640474955, 'SIZE REPORT'), Text(12.642721352678151, 9.388916553769793, 'MACHINE LEARNING'), Text(10.412677297572934, 9.782629636355807, 'BASELINE COMPARISON'), Text(10.980273344223537, 11.322507947967168, 'AVAILABILITY'), Text(11.675254858261155, 8.498826952207656, 'CMMI'), Text(11.946239186246547, 6.61114680880592, 'TEMPORAL DISTANCE'), Text(12.592317119889682, 9.985921765509108, 'GROUP-BASED ESTIMATION'), Text(12.632655356535988, 9.80613541376023, 'ESTIMATED VALUE'), Text(12.758698184283507, 8.831973878542584, 'NOT CONSIDERED'), Text(12.170071608260752, 6.700378450893221, 'SOCIO-CULTURAL DISTANCE'), Text(10.693251707332749, 8.92908307824816, 'IMPLEMENTATION'), Text(10.73097704052925, 9.538136298315866, 'FEASIBILITY STUDY'), Text(10.901795569903427, 10.883502865972973, 'SENSITIVITY ANALYSIS'), Text(12.940322784911242, 8.126970026606605, 'INDIVIDUAL'), Text(11.929806375335302, 8.16759184088026, 'COCOMO'), Text(12.616106227953587, 6.931877462069194, 'NEAR OFFSHORE'), Text(10.825299117425757, 9.100658265749615, 'PERFORMANCE'), Text(11.112463981850492, 9.162841230347043, 'PRELIMINARY PLANNING'), Text(12.69423881490384, 6.725988536789304, 'DISTANT ONSHORE'), Text(12.17305175517836, 8.21938073748634, 'GA'), Text(10.980357516556976, 6.764147607485453, 'EFFORT HOURS'), Text(12.961947441389484, 9.592585922422863, 'EXPERT JUDGMENT'), Text(10.892404198189894, 9.339366346313842, 'SYSTEM INVESTIGATION'), Text(10.659667252004146, 9.626179874510992, 'DESIGN'), Text(12.550513850753344, 9.524964181582135, 'VALUE'), Text(10.948352078877146, 10.092504350344342, 'HARDWARE'), Text(10.572794762494102, 11.393305448123389, 'RELIABILITY'), Text(11.687497206200515, 9.660627393495469, 'STATISTICAL ANALYSIS'), Text(10.953154983035017, 10.738377599489121, 'RISK'), Text(11.673300069017754, 9.450788346926371, 'PORTFOLIO'), Text(11.61122586323369, 9.603663057372685, 'FINANCE'), Text(10.425983501850595, 8.37869435492016, 'AGILE'), Text(9.632906507123863, 8.200879663512822, 'NUMBER OF TEAM MEMBERS'), Text(10.700761874476747, 9.580222847348168, 'RESEARCH & DEVELOPMENT'), Text(10.750190453185667, 10.418882728758312, 'TESTING'), Text(10.955296656321131, 9.23687326794579, 'DETAIL PLANNING'), Text(11.517981742034035, 10.392478791872662, 'HEALTHCARE'), Text(10.539713926565263, 8.765302865845818, 'EXECUTION'), Text(11.283965870257346, 8.32831761382875, 'FUZZY SIMILARITY'), Text(10.988073586143793, 8.534856201353527, 'COMMISSIONING'), Text(11.171306452395452, 10.886109201113385, 'MAINTENANCE'), Text(11.34195030129725, 9.509814054625375, 'ANALYSIS'), Text(11.13634254692062, 10.674726306824457, 'SECURITY'), Text(6.578802652897373, 5.77260723681677, 'INFORMATION SLOT COUNT'), Text(7.500971241848122, 7.015942247708638, 'INDIFFERENT CONCERN COUNT'), Text(10.632343904525044, 8.881627318972633, 'OPERATIONAL MODE'), Text(7.582708869537999, 6.1225531123933346, 'REUSED HIGH FEATURE COUNT'), Text(11.238533645844267, 10.267127839724221, 'IT LITERACY'), Text(7.1691206735228326, 9.00934183484032, 'CLASS COMPLEXITY'), Text(7.09603918312538, 6.982640832946414, 'CONCERN MODULE COUNT'), Text(7.62764279570791, 7.378697513398671, 'USE CASE COUNT'), Text(8.54455745614344, 8.997600404421489, 'COHESION'), Text(11.077651175976762, 9.628799976621355, 'STRUCTURE'), Text(8.721834800204922, 7.955351201693217, 'SOFTWARE REUSE'), Text(7.131299283331439, 6.972074565433321, 'COMPONENT COUNT'), Text(10.50964511637726, 10.64015266668229, 'REQUIREMENTS VOLATILITY LEVEL'), Text(7.774763575196266, 7.5468362535749165, 'PROGRAM COUNT'), Text(10.613190608639872, 9.882784276916869, 'TECHNICAL FACTORS'), Text(6.784553746662793, 7.084754523776827, 'MODULE COUNT'), Text(8.088090544698698, 7.152613852137612, 'CLIENT SCRIPT COUNT'), Text(10.069761337219706, 8.946312215214686, 'MAPPED WORKFLOWS'), Text(6.300592173708061, 5.6192061639967426, 'COLLECTION SLOT SIZE'), Text(6.292416408754164, 5.648645136469887, 'SLOT GRANULARITY LEVEL'), Text(10.34544568471851, 9.539607789402913, 'PROCESSING REQUIREMENTS'), Text(9.28061817586422, 10.523840158326285, 'EXPERIENCE LEVEL'), Text(6.473631430753777, 5.894991813387191, 'NODE SLOT SIZE'), Text(9.739913339239934, 10.421238361086164, 'RESOURCE LEVEL'), Text(7.302925359361595, 9.018595931643532, 'ADAPTATION COMPLEXITY'), Text(10.001837135538938, 10.339141250792004, 'REQUIREMENTS CLARITY LEVEL'), Text(9.513517355846782, 7.644058586302258, 'RAPID APP DEVELOPMENT'), Text(7.449386630255368, 6.709644048554557, 'ANCHOR COUNT'), Text(7.694807001299434, 6.845638841674441, 'COMMENT COUNT'), Text(9.665257800586762, 9.636198846499127, 'PROJECT MANAGEMENT LEVEL'), Text(6.2877960694172685, 5.715669603574844, 'SLOT COUNT'), Text(10.038859561926895, 7.369827242124648, 'DATA WEB POINTS'), Text(6.409825941824144, 5.615733835810707, 'MODEL SLOT SIZE'), Text(6.855394236142596, 8.582171978269304, 'DATA USAGE COMPLEXITY'), Text(9.895987134282628, 9.731251301084246, 'INNOVATION LEVEL'), Text(7.2172271858299935, 6.798760352815901, 'SECTION COUNT'), Text(11.041952261448868, 7.591074792544047, 'INTERNATIONAL FUNCTION POINT USERS GROUP'), Text(8.81038599002265, 6.004963133448646, 'REUSED MEDIA ALLOCATION'), Text(8.372086505786545, 6.21135293869745, 'REUSED MEDIA COUNT'), Text(9.372168249660922, 7.383856834684101, 'WEB OBJECTS'), Text(7.57808419578979, 6.600245593843006, 'ENTITY COUNT'), Text(9.622872893968896, 10.504083869570778, 'PROGRAMMING LANGUAGE EXPERIENCE LEVEL'), Text(10.761892325407073, 9.422233430544535, 'INTEGRATION WITH LEGACY SYSTEMS'), Text(8.21910301466142, 6.9279774416060675, 'WEB PAGE COUNT'), Text(9.92023923610968, 11.465163287662325, 'USABILITY LEVEL'), Text(8.707192664281013, 7.0583273161025275, 'WEB PAGE ALLOCATION'), Text(9.133849138309877, 10.075021564392816, 'LESSONS LEARNED REPOSITORY'), Text(8.095789770109038, 7.404145778928485, 'REUSED PROGRAM COUNT'), Text(10.865081094998505, 11.302904695556279, 'AVAILABILITY LEVEL'), Text(9.620262201226526, 10.678031354858762, 'OO EXPERIENCE LEVEL'), Text(7.098356772550652, 6.488783151762827, 'SEGMENT COUNT'), Text(8.210224118612466, 6.791881202516102, 'NEW WEB PAGE COUNT'), Text(7.392539829544482, 7.336665120578948, 'REUSED COMPONENT COUNT'), Text(6.828389146779815, 6.631962030274528, 'DIFFUSION CUT COUNT'), Text(9.428819328666695, 9.75885948340098, 'CONCURRENCY LEVEL'), Text(6.57175083862197, 5.850740758577983, 'ASSOCIATION CENTER SLOT COUNT'), Text(10.48263741774905, 11.460411156926835, 'RELIABILITY LEVEL'), Text(8.23545186697235, 7.816044566744851, 'NUMBER OF PROGRAMMING LANGUAGES'), Text(8.43566742686014, 6.176597028686887, 'MEDIA COUNT'), Text(10.80333924166137, 10.891587672914778, 'RISK LEVEL'), Text(7.1870498570703685, 6.9072605360121955, 'MODULE ATTRIBUTE COUNT'), Text(7.5047913544600995, 6.61520609515054, 'LINK COUNT'), Text(7.405822824109947, 6.493318826811654, 'ATTRIBUTE COUNT'), Text(7.056350863100059, 8.525183111145383, 'PAGE COMPLEXITY'), Text(6.931328536930584, 6.00158730120886, 'MODEL NODE SIZE'), Text(9.241573783538993, 10.292107553709123, 'TOOL EXPERIENCE LEVEL'), Text(7.1111060284078125, 6.440605966250102, 'NODE COUNT'), Text(8.773201596568668, 6.001498255275545, 'MEDIA ALLOCATION'), Text(7.5152733465836885, 6.205477714538575, 'FEATURE COUNT'), Text(9.01070637061471, 6.3032339209602, 'STORAGE CONSTRAINT'), Text(9.751748966017075, 11.361656576111205, 'TRAINABILITY LEVEL'), Text(7.123559818416833, 9.195151178042096, 'DIFFICULTY LEVEL'), Text(10.03661387163785, 10.210544944944836, 'QUALITY LEVEL'), Text(6.610909593153384, 5.83208030291966, 'CLUSTER SLOT COUNT'), Text(10.316353172448373, 8.46882856005714, 'SPI PROGRAM'), Text(7.076850846121387, 8.426789047604515, 'MODEL COLLECTION COMPLEXITY'), Text(10.479039636110105, 9.21201079913548, 'DEVELOPMENT RESTRICTION'), Text(12.927318396972073, 8.322201577822367, 'PERSONALITY'), Text(9.883018317698468, 11.331980138733275, 'REUSABILITY LEVEL'), Text(9.339794724218306, 10.588451621645973, 'DOMAIN EXPERIENCE LEVEL'), Text(7.565336467614097, 6.679483173007057, 'SEMANTIC ASSOCIATION COUNT'), Text(7.653084870572051, 7.217985748109363, 'CONCERN OPERATION COUNT'), Text(8.390920566358874, 6.145604844320388, 'NEW MEDIA COUNT'), Text(9.781140352088597, 9.267932891845703, 'MEMORY EFFICIENCY LEVEL'), Text(8.817423359136427, 8.778677345457531, 'CONCERN COUPLING'), Text(9.283015294180762, 10.204877437864031, 'SOFTWARE DEVELOPMENT EXPERIENCE'), Text(7.653008692182841, 7.1729436249960035, 'OPERATION COUNT'), Text(7.366362654057241, 5.9734141565504535, 'HIGH FEATURE COUNT'), Text(7.186253678774641, 7.856297374906995, 'COMPONENT GRANULARITY LEVEL'), Text(10.574667171629205, 11.0179162638528, 'STABILITY LEVEL'), Text(8.133517116909065, 7.354711858431498, 'SERVER SCRIPT COUNT'), Text(6.82813139649168, 9.173062230291821, 'CONTROL FLOW COMPLEXITY'), Text(9.89071844816208, 11.566238280705043, 'ACCESSIBILITY LEVEL'), Text(9.582615961951593, 8.344760743776957, 'TEAM CAPABILITY'), Text(8.114410604248123, 6.3913466010774895, 'PUBLISHING MODEL UNIT COUNT'), Text(7.392066621900565, 8.597882421811423, 'COHESION COMPLEXITY'), Text(10.178820604518537, 10.188753722962879, 'REQUIREMENTS NOVELTY LEVEL'), Text(7.999032503943289, 6.352493314515977, 'PUBLISHING UNIT COUNT'), Text(8.755180626482733, 5.990040004821052, 'MEDIA DURATION'), Text(6.301953768585959, 5.969705997194563, 'COMPONENT SLOT COUNT'), Text(7.236004155609876, 8.762903213500977, 'COMPONENT COMPLEXITY'), Text(7.205528742435478, 6.139520942597162, 'LOW FEATURE COUNT'), Text(10.722113500295148, 10.715301485288713, 'SECURITY LEVEL'), Text(6.892773212300193, 6.272182105836415, 'CLUSTER COUNT'), Text(9.859544608525692, 9.130741242000035, 'TIME EFFICIENCY LEVEL'), Text(10.805934013306132, 7.76848733538673, 'FOCUS FACTOR'), Text(9.886006987359254, 9.30968397912525, 'PROCESS EFFICIENCY LEVEL'), Text(10.30794660035641, 10.789834409668332, 'PLATFORM VOLATILITY LEVEL'), Text(10.0826271933894, 11.647146461123512, 'PORTABILITY LEVEL'), Text(7.593985029622431, 7.143919463384719, 'INNER/SUB CONCERN COUNT'), Text(6.821247836106246, 7.451193181673687, 'MODULARITY LEVEL'), Text(8.171779751537308, 8.03833469549815, 'NUMBER OF PROJECTS IN PARALLEL'), Text(9.703845899071425, 9.38086849621364, 'MOTIVATION LEVEL'), Text(8.94090141033934, 8.781049133482433, 'CLASS COUPLING'), Text(10.98839037608235, 9.741805284363885, 'ARCHITECTURE'), Text(10.52705925176701, 11.557295705023268, 'MAINTAINABILITY LEVEL'), Text(7.056668682804991, 8.764853449094863, 'INTERFACE COMPLEXITY'), Text(7.020343384187546, 5.950981796355475, 'CLUSTER NODE SIZE'), Text(9.477619165470522, 9.95051703112466, 'AUTHORING TOOL TYPE'), Text(6.993888402778294, 8.994665533020383, 'CYCLOMATIC COMPLEXITY'), Text(9.425004145551112, 10.681598569097973, 'DEPLOYMENT PLATFORM EXPERIENCE LEVEL'), Text(11.279334511920329, 10.057917264529639, 'INFRASTRUCTURE'), Text(6.904121621025184, 8.358326317015148, 'MODEL LINK COMPLEXITY'), Text(6.834114311923904, 6.752415954499018, 'MODULE POINT CUT COUNT'), Text(9.06489863088054, 10.25437486285255, 'IN-HOUSE EXPERIENCE'), Text(11.24793407448357, 6.6816801695596615, 'TIME RESTRICTION'), Text(10.128665152817003, 11.066621006102789, 'FLEXIBILITY LEVEL'), Text(7.624789973252242, 8.897808074951172, 'COMPACTNESS'), Text(6.35250535619355, 5.88268238022214, 'ASSOCIATION SLOT SIZE'), Text(7.077413240555794, 9.155561145146688, 'DATA FLOW COMPLEXITY'), Text(9.798392308190945, 9.883512081418719, 'NOVELTY LEVEL'), Text(9.597988529839824, 10.375629037902469, 'DOCUMENTATION LEVEL'), Text(6.915967324976958, 8.818975420225236, 'OUTPUT COMPLEXITY'), Text(7.0140732172275735, 8.653978885923113, 'LAYOUT COMPLEXITY'), Text(9.94921293107252, 10.738984287352789, 'PLATFORM SUPPORT LEVEL'), Text(7.601966943159217, 7.190988927795774, 'STATEMENT COUNT'), Text(10.368765339327435, 11.303670316650754, 'TESTABILITY LEVEL'), Text(7.967317046994163, 8.773872016725086, 'CONNECTIVITY DENSITY'), Text(10.305366972088812, 11.62601226397923, 'INSTALLABILITY LEVEL'), Text(10.534629087150094, 11.165057182312012, 'ROBUSTNESS LEVEL'), Text(12.295210054781165, 8.5903733980088, 'TYPE'), Text(7.076794266244095, 9.087768611453829, 'TOTAL COMPLEXITY'), Text(6.912979560802059, 8.201856971922375, 'MODEL ASSOCIATION COMPLEXITY'), Text(8.232138233055029, 7.623721958342054, 'LINES OF CODE'), Text(10.826418779694265, 7.466651288668315, 'OBJECT-ORIENTED FUNCTION POINTS'), Text(9.784779457940209, 9.928220928282965, 'COMMUNICATION LEVEL'), Text(9.370561599803548, 8.079226257687523, 'TEAM SIZE'), Text(10.335896638083842, 10.562879921141125, 'DESIGN VOLATILITY'), Text(9.969127655245604, 11.376771926879883, 'READABILITY LEVEL'), Text(10.023534817512958, 6.871974496614365, 'METRICS PROGRAM'), Text(6.624321868294668, 5.850808261689686, 'COLLECTION CENTER SLOT COUNT'), Text(8.181179420481765, 7.796533523287092, 'REUSED LINES OF CODE'), Text(7.600507265689872, 6.829627395811536, 'REUSED COMMENT COUNT'), Text(9.808494319165906, 9.432543367431277, 'PRODUCTIVITY LEVEL'), Text(6.943617535478645, 8.946591075261434, 'INPUT COMPLEXITY'), Text(9.887117167466108, 10.86940229052589, 'SCALABILITY LEVEL'), Text(7.606496626162721, 6.054195852506728, 'REUSED LOW FEATURE COUNT'), Text(9.598261499380872, 8.606305925051373, 'WORK TEAM LEVEL'), Text(6.816611044253072, 9.158272648992995, 'NEW COMPLEXITY'), Text(8.884154174188453, 6.579799977938334, 'DATABASE SIZE'), Text(12.187713957289532, 7.257177678743998, 'LOCATION'), Text(11.735832743082312, 7.8474662565049655, 'SEMI-DISTRIBUTED'), Text(11.583998182127552, 7.676296087673734, 'DISTRIBUTED'), Text(12.042888866364956, 6.636940422512237, 'GEOGRAPHIC DISTANCE'), Text(10.769814139003715, 6.42937085174379, 'EARLY'), Text(11.599269059204286, 9.329744187990824, 'PROVIDER'), Text(12.279676231044917, 9.124602166811625, 'LEGAL ENTITY'), Text(11.878467226004407, 7.705281795774187, 'CENTRALIZED'), Text(10.752384920850876, 6.582371083895366, 'LATE'), Text(12.542958381315394, 9.839767843201047, 'ESTIMATOR'), Text(10.885856695353024, 6.483666717438472, 'EARLY & LATE'), Text(12.447091491640574, 9.967074658757165, 'ESTIMATOR & PROVIDER'), Text(11.137997329787861, 8.261906831605096, 'FUZZY'), Text(10.706052889674902, 8.279833822023301, 'SLIM'), Text(10.791952546349455, 8.027107984679088, 'SWARM'), Text(11.439101073674616, 8.753000797544207, 'ANALOGY BASE'), Text(13.136011342560092, 8.323086587587994, 'SEER-SEM'), Text(9.123224781045028, 8.985916940371196, 'EVOLUTIONARY'), Text(12.496786797959956, 8.287299127805802, 'ANN'), Text(10.636403017298829, 8.754382822627115, 'FUNCTIONALITY'), Text(12.8069220441003, 8.571912614504496, 'ORDINAL'), Text(11.673863429191613, 7.7712794247127714, 'RATIO'), Text(12.908101270371866, 8.786501582463583, 'NOMINAL'), Text(12.762083017393465, 9.156599904242018, 'INDIRECTLY'), Text(8.441900247263332, 5.97034156436012, 'MEDIA'), Text(12.949159865369719, 8.493211595217389, 'NONSPECIFIC'), Text(9.362534875711125, 7.448331832885742, 'WEB HYPERMEDIA APPLICATION'), Text(12.409896103605146, 8.96380022253309, 'THEORETICALLY'), Text(9.350573072125833, 6.377773166838147, 'LENGTH'), Text(10.072745724430966, 6.4759401991253815, 'LATE SIZE METRIC'), Text(12.55635463826118, 8.314515293212164, 'NONE'), Text(12.973999479196724, 8.183929207211449, 'BOTH'), Text(11.296679266085548, 6.789960710207621, 'INTERVAL'), Text(10.351933710637592, 6.938006221680414, 'SOLUTION ORIENTED METRIC'), Text(12.131691780926719, 9.43788164910816, 'EMPIRICALLY'), Text(12.490019871246428, 8.566007614135742, 'ABSOLUTE'), Text(6.967048153209108, 8.903408796446666, 'COMPLEXITY'), Text(9.648183573782443, 6.489611984434583, 'EARLY SIZE METRIC'), Text(9.295147598486754, 7.604541358493625, 'WEB APPLICATION'), Text(12.927085955537134, 8.3470533768336, 'OTHER'), Text(12.588345703891207, 9.108452107792807, 'DIRECTLY'), Text(9.307478649986365, 7.54190266018822, 'WEB SOFTWARE APPLICATION'), Text(10.269580221921206, 6.850250871976217, 'PROBLEM ORIENTED METRIC'), Text(12.860077858115396, 8.414295612062727, 'SPECIFIC'), Text(8.32261538690617, 7.480788410277594, 'PROGRAM/SCRIPT'), Text(11.314641138670904, 10.576649514834088, 'HEALTH'), Text(10.517669520022407, 7.504821239198959, 'STORY POINTS'), Text(11.868142334684249, 8.947750091552734, 'DSDM'), Text(11.829443178494127, 8.021178037779672, 'RELEASE'), Text(11.773510902903734, 7.83013916015625, 'DISTRIBUTION'), Text(12.838857043390313, 8.085932316098894, 'SINGLE'), Text(11.870212069153785, 8.81712818145752, 'MMRE'), Text(12.91148693556747, 8.148064613342285, 'ALL'), Text(11.252758840183095, 6.4759768258957635, 'DAILY'), Text(10.632231457387247, 7.382573307128181, 'POINT'), Text(12.475597861625495, 8.671104846681867, 'NOT APPLICABLE'), Text(11.48978712638059, 10.012723951112658, 'TRANSPORTATION'), Text(11.747821796012502, 8.385705768494379, 'CUSTOMIZED XP'), Text(11.707717822756498, 9.779537106695628, 'FINANCIAL'), Text(12.32183430307815, 8.285609216917129, 'NOT USED'), Text(12.858190214826216, 8.960014135496957, 'CONSIDERED'), Text(12.50665794685483, 9.826413362366813, 'ESTIMATE VALUE(S)'), Text(10.468897370080793, 8.57293876806895, 'TASK'), Text(11.068322922938293, 6.601302264985585, 'IDEAL HOURS'), Text(11.121210598267854, 9.964900640078953, 'RETAIL/WHOLESALE'), Text(12.6762198554412, 6.889604802358719, 'FAR OFFSHORE'), Text(10.70097669394266, 8.128210398129056, 'CUSTOMIZED SCRUM'), Text(11.590348669093462, 10.18300899664561, 'EDUCATION'), Text(13.049203618784102, 9.691905975341797, 'EXPERT JUDGEMENT'), Text(11.397596244273647, 9.79674419562022, 'COMMUNICATIONS INDUSTRY'), Text(11.19306458061741, 9.246925741150266, 'PLANNING POKER'), Text(11.43223931392835, 8.692246795835949, 'ANALOGY'), Text(12.633873794083634, 6.764036178588867, 'CLOSE ONSHORE'), Text(12.052483686348122, 8.952192155520121, 'CRYSTAL'), Text(11.68860577621287, 8.295702131589254, 'XP'), Text(10.69511527197976, 7.413251787140258, 'FUNCTION POINTS'), Text(10.753401130750294, 8.236665876706441, 'SCRUM'), Text(11.973474223334943, 8.435930582455226, 'KANBAN'), Text(9.739252752978954, 8.121417763119652, 'NO. OF TEAM MEMBERS'), Text(10.713147661955126, 7.430470674378531, 'UC POINTS'), Text(8.893154223431502, 9.934722305479504, 'USER STORY'), Text(11.11910102629373, 8.823853936649506, 'SPRINT'), Text(12.044421912946047, 7.53844865957896, 'CO-LOCATED'), Text(11.8585050852068, 8.857609390077137, 'MDMRE'), Text(11.293671188984185, 6.494147480101813, 'PAIR DAYS'), Text(11.2866574733488, 6.373265030270531, 'HOURS/DAYS'), Text(10.914252105307195, 9.994076606205532, 'MANUFACTURING'), Text(10.77379136811341, 7.2653262354078745, 'THREE POINT'), Text(11.636963929332072, 9.107935603459676, 'FDD')], [])
# First legend for word sets
handles = [plt.Line2D([0], [0], marker='o', color='w', markerfacecolor=color, markersize=10) for color in set_colors.values()]
labels = list(sets.keys())
legend1 = plt.legend(handles=handles, labels=labels, title="Literature", loc='upper center', bbox_to_anchor=(0.5, -0.05), ncol=6)

# Second legend for duplicate words
duplicate_legend = plt.Line2D([0], [1], color='red', lw=2)
legend2 = plt.legend([duplicate_legend], ["In red: duplicate words"], loc='upper center', bbox_to_anchor=(0.5, -0.12), frameon=False)

# Re-add the first legend
plt.gca().add_artist(legend1)

plt.title("UMAP Visualization of Word Embeddings")
plt.xlabel("UMAP Component 1")
plt.ylabel("UMAP Component 2")

# Save the plot as an image
plt.savefig('umap_word_embeddings.png', dpi=600, bbox_inches='tight')

# Display the plot
plt.show()

Similarity Counts Heatmap

import pandas as pd
import seaborn as sns
import matplotlib.pyplot as plt
import numpy as np

# Clear any existing plots and set plot style
plt.clf()
plt.style.use('seaborn-v0_8-whitegrid')
plt.rcParams['font.family'] = 'serif'

df = similarity_df_filtered

# Group by Set 1 and Set 2 and count the number of shared words
count_table = df.groupby(["Set 1", "Set 2"]).size().reset_index(name="Shared Word Count")

# Pivot the DataFrame to create a matrix of shared word counts
pivot_count = count_table.pivot(index="Set 1", columns="Set 2", values="Shared Word Count").fillna(0)

# Reindex the pivot table to ensure symmetry in rows and columns
pivot_count = pivot_count.reindex(index=pivot_count.columns, columns=pivot_count.columns, fill_value=0)

# Mask only the upper triangle, excluding the diagonal
mask = np.triu(np.ones_like(pivot_count, dtype=bool), k=1)

# Plot the heatmap
plt.figure(figsize=(12, 8))
#sns.heatmap(pivot_count, annot=True, mask=mask, cmap="Blues", cbar_kws={'label': 'Number of Shared Words'})
sns.heatmap(pivot_count, annot=True, mask=mask, cmap="Blues", cbar_kws={'label': 'Number of Similar Words'})

plt.title("Heatmap of Similar Words between Literature")
plt.xlabel("Literature")
plt.ylabel("Literature")
plt.xticks(rotation=45, ha="right")
(array([0.5, 1.5, 2.5, 3.5, 4.5, 5.5]), [Text(0.5, 0, 'Bajta'), Text(1.5, 0, 'Britto_2016'), Text(2.5, 0, 'Britto_2017'), Text(3.5, 0, 'Dashti'), Text(4.5, 0, 'Mendes'), Text(5.5, 0, 'Usman')])
plt.yticks(rotation=0)
(array([0.5, 1.5, 2.5, 3.5, 4.5, 5.5]), [Text(0, 0.5, 'Bajta'), Text(0, 1.5, 'Britto_2016'), Text(0, 2.5, 'Britto_2017'), Text(0, 3.5, 'Dashti'), Text(0, 4.5, 'Mendes'), Text(0, 5.5, 'Usman')])
plt.tight_layout()
plt.savefig('word_counts.png', dpi=300, bbox_inches='tight')
plt.show()

Barplot

import pandas as pd
import seaborn as sns
import matplotlib.pyplot as plt

# Clear any existing plots and set plot style
plt.clf()
plt.style.use('seaborn-v0_8-whitegrid')
plt.rcParams['font.family'] = 'serif'

# Data preparation
df = similarity_df_filtered

# Group by Set 1 and Set 2 and count the number of shared words
count_table = df.groupby(["Set 1", "Set 2"]).size().reset_index(name="Shared Word Count")

# Remove redundant comparisons (keeping only Set1 < Set2)
count_table = count_table[count_table["Set 1"] < count_table["Set 2"]]

# Create all possible combinations of Set 1 and Set 2
all_sets = pd.MultiIndex.from_product([count_table["Set 1"].unique(), count_table["Set 2"].unique()], names=["Set 1", "Set 2"])

# Create a DataFrame with all combinations and zero counts
count_table_full = pd.DataFrame(index=all_sets).reset_index()

# Merge count_table_full with the original count_table to get the actual shared word counts
count_table_full = pd.merge(count_table_full, count_table, on=["Set 1", "Set 2"], how="left").fillna(0)

# Create the bar plot (dodge=True)
plt.figure(figsize=(12, 8))
ax = sns.barplot(x="Set 1", y="Shared Word Count", hue="Set 2", data=count_table_full, palette="Set2", width=0.8, dodge=True)

# Title and labels
plt.title("Barplot of Similar Words Between Literature (Upper 70% similarity threshold)")
plt.xlabel("Number of Similar Words")
plt.ylabel("Literature")

# Add value labels inside each bar with the same color as the bars
for container in ax.containers:
    for bar in container:
        bar_color = bar.get_facecolor()  # Get the color of the bar
        ax.bar_label(container, label_type="edge", padding=3, fontsize=12, color=bar_color, fontweight='bold')  # Set the label color to the bar's color

# Change the legend title and position it at the bottom horizontally
plt.legend(title="Literature", loc='upper center', bbox_to_anchor=(0.5, -0.1), ncol=len(count_table['Set 2'].unique()))

# Adjust layout to prevent clipping and save the plot
plt.tight_layout()
plt.savefig('shared_words_barplot_with_labels.png', dpi=300, bbox_inches='tight')
plt.show()

Trying to collapse the excel even more

import pandas as pd
from openpyxl import Workbook
from openpyxl.styles import Font
from openpyxl.utils import get_column_letter

# Create a workbook and a worksheet
wb = Workbook()
ws = wb.active
ws.title = "Collapsed Similarity Results"

# Define the headers for the new table
headers = ["Set Pair", "Word Pair"]
ws.append(headers)

# Define color palette for coloring words
excel_palette = [
    'FF6384',  # Light Red
    '36A2EB',  # Light Blue
    'FFCE56',  # Light Yellow
    '4BC0C0',  # Light Green
    '9966FF',  # Light Purple
    'FF9F40'   # Light Orange
]

# Initialize the color index and word-to-color mapping
color_index = 0
word_colors = {}

# Function to assign a color to a word, and avoid repeating colors for the same word in consecutive rows
def get_word_color(word):
    global color_index
    if word not in word_colors:
        word_colors[word] = excel_palette[color_index % len(excel_palette)]
        color_index += 1
    return word_colors[word]

# Group the words by set pair and track the font color for each word
set_pairs_dict = {}

# Populate the set_pairs_dict with the relevant data
for _, row in similarity_df_filtered.iterrows():
    set_pair = f"{row['Set 1']} - {row['Set 2']}"
    word_pair = f"{row['Word 1']} - {row['Word 2']}"
    
    # Group words by set pairs
    if set_pair not in set_pairs_dict:
        set_pairs_dict[set_pair] = []
    
    set_pairs_dict[set_pair].append((row['Word 1'], row['Word 2'], row['Cosine Similarity']))

# Function to apply colors to words in the final merged table
def apply_word_colors(word_pair_str, word_colors):
    colored_str = []
    for word in word_pair_str.split(" - "):
        color = word_colors.get(word, '000000')  # Default to black if no color is found
        word_font = Font(color=color)
        colored_str.append(f"{word} ({color})")  # Track color alongside the word
    return " - ".join(colored_str)

# Now we will merge words and apply colors to the font
for set_pair, word_pairs in set_pairs_dict.items():
    combined_words = []
    for word1, word2, _ in word_pairs:
        color_word1 = get_word_color(word1)
        color_word2 = get_word_color(word2)

        # Append words to the combined list, ensuring no duplicates
        combined_words.extend([word1, word2])

    # Remove duplicates and join them into one string for the word pair column
    combined_words = sorted(set(combined_words), key=lambda x: combined_words.index(x))
    word_pair_str = " - ".join(combined_words)

    # Add the set pair and word pair to the Excel sheet
    current_row = ws.max_row + 1
    ws.append([set_pair, word_pair_str])

    # Apply font color for each word in the final word pair
    current_cell = ws.cell(row=current_row, column=2)
    current_cell.value = word_pair_str

    for word in word_pair_str.split(" - "):
        # Set font color for each word (as per the color assigned previously)
        color = word_colors.get(word, '000000')

        # Check if the word is identical and bold it
        is_bold = False
        for word1, word2, _ in word_pairs:
            if word1 == word2:
                is_bold = True

        # Apply the font color and bold if necessary
        current_cell.font = Font(color=color, bold=is_bold)

# Save the workbook to a file
wb.save("colored_word_pairs.xlsx")

print("Excel file with colored words and bold identical words has been created!")
Excel file with colored words and bold identical words has been created!
# Initialize tracking variables
word1_to_color = {}
color_index = 0
previous_word = None
previous_color = None

# Create a new column "Marker" to hold "*" if "Word 1" equals "Word 2"
similarity_df_filtered['Marker'] = similarity_df_filtered.apply(
    lambda row: '*' if row['Word 1'] == row['Word 2'] else '', axis=1
)

# Function to assign colors to rows, skipping color assignment if the "Word 1" is the same as the previous row's "Word 1"
def assign_colors(row):
    global previous_word, previous_color, color_index

    word1 = row['Word 1']
    
    # If the current "Word 1" is the same as the previous "Word 1", reuse the color
    if word1 == previous_word:
        color = previous_color
    else:
        # Otherwise, assign the next color and update tracking variables
        color = color_palette[color_index % len(color_palette)]
        previous_color = color
        previous_word = word1
        color_index += 1
    
    # Return a list of styles for all columns except for "Marker" (bold)
    return [f'background-color: {color}'] * (len(row) - 1) + ['font-weight: bold; color: black;']

# Apply the function to style the DataFrame
styled_similarity_df = similarity_df_filtered.style.apply(assign_colors, axis=1)

# Display the styled DataFrame
styled_similarity_df
<pandas.io.formats.style.Styler object at 0x00000001B14B2190>
styled_similarity_df.to_html('similarity_table.html')

sessionInfo()
R version 4.3.1 (2023-06-16 ucrt)
Platform: x86_64-w64-mingw32/x64 (64-bit)
Running under: Windows 11 x64 (build 22631)

Matrix products: default


locale:
[1] LC_COLLATE=Catalan_Spain.utf8  LC_CTYPE=Catalan_Spain.utf8   
[3] LC_MONETARY=Catalan_Spain.utf8 LC_NUMERIC=C                  
[5] LC_TIME=Catalan_Spain.utf8    

time zone: Europe/Madrid
tzcode source: internal

attached base packages:
[1] stats     graphics  grDevices utils     datasets  methods   base     

other attached packages:
[1] workflowr_1.7.1

loaded via a namespace (and not attached):
 [1] Matrix_1.6-1      jsonlite_1.8.7    highr_0.10        compiler_4.3.1   
 [5] promises_1.3.2    Rcpp_1.0.11       stringr_1.5.0     git2r_0.35.0     
 [9] callr_3.7.3       later_1.4.1       jquerylib_0.1.4   png_0.1-8        
[13] yaml_2.3.7        fastmap_1.1.1     here_1.0.1        lattice_0.21-8   
[17] reticulate_1.40.0 R6_2.5.1          knitr_1.43        tibble_3.2.1     
[21] rprojroot_2.0.3   bslib_0.5.1       pillar_1.9.0      rlang_1.1.1      
[25] utf8_1.2.3        cachem_1.0.8      stringi_1.7.12    httpuv_1.6.15    
[29] xfun_0.40         getPass_0.2-4     fs_1.6.3          sass_0.4.7       
[33] cli_3.6.1         magrittr_2.0.3    ps_1.7.5          grid_4.3.1       
[37] digest_0.6.33     processx_3.8.2    rstudioapi_0.15.0 lifecycle_1.0.3  
[41] vctrs_0.6.3       evaluate_0.21     glue_1.6.2        whisker_0.4.1    
[45] fansi_1.0.4       rmarkdown_2.24    httr_1.4.7        tools_4.3.1      
[49] pkgconfig_2.0.3   htmltools_0.5.6